Position slider bug

When the position slider is not visible it is still possible (and frustrating) to grab the (invisible) slider accidentally and turn a thousand pages (usually I end up on the last page). Since iBooks has no "back" button I have to manually find my place again. This happens to me a lot.

I'm replying to my own post to bring it to the top. If this is against the rules please someone let me know and I won't do it again.

Similar Messages

  • Position Slider for Videos in Presenter Mode

    Running Keynote on Yosemite when I open play a slideshow and have a video playing on a particular slide, a position slider will appear if I mouse over the video. However, when I am using a second display in presenter mode and I do the exact same thing to try and trigger the position slide on a video, nothing appears. I am able to see the mouse moving around, but I can't get the slider to come up. Is this an oversight or do I need to modify the settings to allow this to happen?

    They should probably get that fixed. Presentation software should facilitate the presentation not generate additional obstacles to effective communication.

  • Lens Correction Manual Slider Bug!

    Hello,
    I've been having a problem with the Lens correction Manual Sliders. Constrain Crop selected.
    The vertical and horizontal sliders are behaving more like the distortion slider.
    When sliding left or right they are pulling from the center, rather than the right or left end.
    Also, with the scale slider....If I scale down it shifts to the right. when I reset all the sliders to zero.
    The image doe not reset to its original position.
    Is this something that the Lightroom 4 team is aware of?
    One all the bugs are fixed I look forward to its release! Your hard work on this software is appreciated!
    Best, Pam

    The vertical and horizontal sliders are behaving more like the distortion slider.
    When sliding left or right they are pulling from the center, rather than the right or left end.
    Well, they *are* distortion sliders (sort of), leaving the very center of the photo unchanged. This has not changed from LR3. I can see no bug there. Also keep in mind that the visual effect is very different from wide angle photos to tele photos. Photos made with a tele lens are more or less just changed in the aspect ratio, and not so much distorted like wide angle photos.
    Also, with the scale slider....If I scale down it shifts to the right.
    This can happen if you used the horizontal slider before, combined with "Constrain Crop" - because the usable part of the photo shifts to one side or another. In the same way, scaling will shift up/down if one used the vertical slider before. This is perfectly normal. Hint: Try the vertical and horizontal sliders independently, with scaling set to 50 (minimum) and "Constrain Crop" *OFF* to see what they do with the photo - that made it a lot clearer to me how they work.
    when I reset all the sliders to zero. The image doe not reset to its original position.
    Also normal, because if you reset the manual corrections after working with "Constrain Crop" enabled, only the manual corrections themselves are reset, leaving the crop&straighten tool at some "funny" settings. Go to crop&straighten and reset it, too.
    In conclusion, I see no bugs here. I also fiddled with the various manual sliders, and could not see any behaviour that was different to LR3, which has no bugs in this respect as far as I know...
    P.S. I am not sure if I quoted the last question correctly or not. I assume these two sentences belong together?

  • BUG: iPhoto 9 Slideshow - Text Slide Bugs and iPhoto Library Corruption

    I was wondering if anyone else has run into the following issues:
    I have had multiple issues with iPhoto crashing, stop responding, and database corruption where I cannot open iPhoto. These issues all began when I tried to use the new themed slideshow in iPhoto v9.1. Previously, I had only used iPhoto to create basic slideshows with iPhoto v7.x. I was hoping that I would be able to create my masterpiece in iPhoto 11 (v9.1) but I have only been frustrated by my attempts so far.
    What should have been a 3 - 4 hour operation has become a 20 hour nightmare and I still don't have a slideshow to show for my efforts. This has been one of my most disappointing uses of Apple software ever.
    Repeatable, reproducible bugs that I have run into include:
    1. Deleting a photo that appears in the timeline before a sub-title causes havoc with subsequent sub-titles (a.k.a. Text Slides). Subsequent subtitles are randomly copied to pictures following the one it was assigned to. Further, there is no subtitle icon in the timeline and the photos have to be manually modified to eliminate the subtitle. Work around is click the "Text Slide" button
    2. Zooming and/or image placement is not preserved and not visible when previewed, exported, or iPhoto is closed and then reopened.
    3. The iPhoto Library becomes corrupt and permissions problems prevent me from working with my photos. This happens while working on slideshow. I have had to rebuild my library and repair permissions no less than five times since I started working on my slideshow.

    iPhoto's slideshow feature is fine but no tool for a "masterpiece".
    Alternatives to iPhoto's slideshow include:
    iMovie, on every Mac sold, as is iDVD.
    Others, in order of price:
    PhotoPresenter $29
    PhotoToMovie $49.95
    PulpMotion $129
    FotoMagico $29 (Home version) ($149 Pro version, which includes PhotoPresenter)
    Final Cut Express $199
    It's difficult to compare these apps. They have differences in capability - some are driven off templates. some aren't. Some have a wider variety of transitions. Others will have excellent audio controls. It's worth checking them out to see what meets your needs.
    However, there is no doubt that Final Cut Express is the most capable app of them all. You get what you pay for.
    Regards
    TD

  • Player's position slider (Thread not owner)

    Hi every1,
    I've a thread that sets a slider value with the player's time in secods,but in case the slider Knob is dragged by the user the thread should wait and player's time should be set as per the value dragged by the user.
    But the wait() method is not executing instead it generates IllegalMonitorStateException: current thread not owner exception. Would you help me please?
    My code is:
    //the thread which sets the slider value as the time in second increases
    public void run() {
         while (true) {
                        if (player != null) {
               nano = player.getMediaTime().getSeconds();
              if (dura >nano) {
                  timex = (int)nano;
                        jSlider.setValue(timex);
                     try {
              Thread.currentThread().sleep(1000);
             } catch (InterruptedException ie) {
        }//the method which sets the slider as a user moves the knob of the slider
    jSlider.addChangeListener(new javax.swing.event.ChangeListener() {
                public void stateChanged(javax.swing.event.ChangeEvent evt) {
                   try{
                      if(jSlider.getValueIsAdjusting()){
    player.setMediaTime(new javax.media.Time((double)  
    jSlider.getValue())); 
                    thr.wait();                  }
                   }catch(Exception e){e.printStackTrace();
                      System.out.println("Exception @ jSlider stateChanged : " + e.getMessage() );
            });Thanks!

    The exception is happening because the ChangeListener thread does not own the monitor on "thr" (see the api documentation for Object.wait). That can be fixed by putting it in a synchronized (this) { ... } block.
    However, I see bigger problems. First, recognize that Java is going to call your ChangeEvent code on the event handling thread, so you definitely don't want it to wait. The screen will stop repainting and the user's mouse release event won't be processed, because you will have suspended the thread that handles those things. Second, you should not modify the position of the slider from any thread other than the event handling thread, for reasons documented at [http://java.sun.com/developer/technicalArticles/Threads/swing/]. That article also shows techniques that are safe.
    I don't mean to be discouraging, just wanted to point out a couple more things so you didn't get strange behavior without knowing why! What you are attempting actually requires some multi-threading skill, so study up!
    Cheers,
    Eric

  • CS6 beta ACR7 'Color Detail' slider BUG Win7-64bit

    I'm not sure if this happens on everyones system...
    Steps to reproduce:
    1) Open a photo (RAW, jpg, etc) with heavy color noise in ACR 7.0.0.308 (like ISO > 6400)
    2) In the Detail tab, set the noise reduction 'Color' slider to about 40.
    3) Then drag the 'Color Detail' slider back and forth using the left mouse button while noting the effect on the photo.
    4) Release the mouse button at 'Color Detail' of say 100 (or something far from 50).
    5) Notice that the effect will be revert to the equivalent default of 50 even though the slider numeric value still shows whatever you set it to.
    6) Also notice that the up/down arrow keys can change the slider numeric value, but the effect on the image stays at 50.
    In summary, the 'Color Detail' slider works only when the user drags that slider while the left mouse button is in the 'down' state.
    My system Info:
    Adobe Photoshop Version: 13.0 (13.0 20120305.m.415 2012/03/05:21:00:00) x64
    Operating System: Windows 7 64-bit
    Version: 6.1 Service Pack 1
    System architecture: Intel CPU Family:6, Model:13, Stepping:7 with MMX, SSE Integer, SSE FP, SSE2, SSE3, SSE4.1, SSE4.2, HyperThreading
    Physical processor count: 4
    Logical processor count: 8
    Processor speed: 3599 MHz
    Built-in memory: 32719 MB
    Free memory: 28874 MB
    Memory available to Photoshop: 29731 MB
    Memory used by Photoshop: 60 %
    Image tile size: 128K
    Image cache levels: 4
    OpenGL Drawing: Enabled.
    OpenGL Drawing Mode: Advanced
    OpenGL Allow Normal Mode: True.
    OpenGL Allow Advanced Mode: True.
    OpenGL Allow Old GPUs: Not Detected.
    Video Card Vendor: NVIDIA Corporation
    Video Card Renderer: GeForce GTX 560/PCIe/SSE2
    Display: 2
    Display Bounds:=  top: -1050, left: 0, bottom: 0, right: 1680
    Display: 1
    Display Bounds:=  top: 0, left: 0, bottom: 1050, right: 1680
    Video Card Number: 1
    Video Card: NVIDIA GeForce GTX 560
    OpenCL Unavailable
    Driver Version: 8.17.12.9610
    Driver Date: 20120229000000.000000-000
    Video Card Driver: nvd3dumx.dll,nvwgf2umx.dll,nvwgf2umx.dll,nvd3dum,nvwgf2um,nvwgf2um
    Video Mode: 1680 x 1050 x 4294967296 colors
    Video Card Caption: NVIDIA GeForce GTX 560
    Video Card Memory: 2048 MB
    Video Rect Texture Size: 16384
    Serial number: Tryout Version
    Application folder: C:\Program Files\Adobe\Adobe Photoshop CS6 (64 Bit)\
    Photoshop scratch has async I/O enabled
    Scratch volume(s):
      C:\, 194.2G, 90.8G free
    Required Plug-ins folder: C:\Program Files\Adobe\Adobe Photoshop CS6 (64 Bit)\Required\
    Primary Plug-ins folder: C:\Program Files\Adobe\Adobe Photoshop CS6 (64 Bit)\Plug-ins\
    Additional Plug-ins folder: not set

    I can  confirm reproducing this on a Windows 7 Ultimate system with ATI card.  I think it's a good ol' fashioned program bug. 
    -Noel

  • Captivate 7 -- Insert Blank Slide bug?

    Hi,
    I'm creating a tutorial in Captivate 7 (Win 8.1) using screen shots (taken from another computer using Windows 8.1 Update). I would like the last slide to be a blank screen that I will then mock up. I use "Insert > Blank Slide" to do so. The slide, in the filmstrip, appears to be blank. However, when I click on the slide, it shows a screen shot from a previous slide. I can't get rid of it. The image file doesn't appear in the Timeline nor, as already stated, in the Filmstrip.
    What can I do? I want to add a SmartShape to cover the screen but I want the alpha toned down to 80%. When I do that, I can see the background image that shouldn't be there in the first place. Help!

    Check if the timing of the image on the previous slide is set to Rest of the Project.
    Sreekanth

  • Slider Bug in Adjustment layers of PS CC

    This must have been documented by now, but I haven't seen it doing a quick search of the forums.
    Whenever I create a new adjustment layer and make a correction, if I try to undo (using either cmnd z or menu) the actual correction is undone, but the slider does not reset. If it is a curve adj layer andi I set a point, undoing the move again results in the correction being undone, but the point on the curve remains. This can get extremely confusing and causing me problems. Too bad there is no beta program anymore. I'd have logged this one immediately. Is this being addressed?

    Yes, it's a known problem - we're testing a fix for it.

  • Lines disappearing on Master Slide (Bug or User error?)

    Hi all -
    I'm using the "Magic Move" feature on one of the Master slides from a theme called "Blueprint". When I use Magic Move some of the "permanent" lines from the master slide disappear during the move and then reappear when the move is finished. Any suggestions for solving this problems would be greatly appreciated.

    Thanks Ken -
    I moved my presentation to several other themes, but the problem seems to extend to those Master Slides as well. All of my elements (photos, text, etc.) come through the transitions just fine, but some of the lines on the Master Slide itself disappear while the transition takes place. It makes the whole thing pointless it the viewer can see this, and there's no way to change the master or stop this from happening. Hopefully Apple will take a look.

  • Sorting, timecode positioning, cropping bug, GPU acceleration, AU support

    There doesn't seem to be a way to sort the items in the queue. I added 126 videos to encode and it is terribly annoying to look at them all as a huge bubble rather than a single line with disclosure triangle.
    There are no options for repositioning timecode burn-in. The title-safe options are in an awkward location, and the other options put it flush against the edge of the frame.
    The cropping function looks proper in the preview but the export is actually applying it as a padding operation and strecting the cropped region to fill the fram unproportionally. Also, for some reason the crop affects the timecode burn-in and scales it as well as crops it off. I'd like the timecode placed in the letterbox area. Because of this bug, my workaround was to use Photoshop to create a 1920x1080 PNG with a 2.35 letterbox. I then used the watermark effect with full alpha to impose it onto the footage. In doing this I noticed another bug that resulted in a small artifact from the matte's edge at the line from black to transparent, almost like a scaling artifact even though there was no scaling applied.
    Is there GPU acceleration? It is incredibly slow compared to Adobe Media Encoder on the same computer.
    It would be awesome to have support for AU plugins to be used as effects on the audio track. The included peak limiter worked ok for the most part to boost volume, but I'd like to be able to use more professional plugins to do this. A LUT video effect would be great too.

    Use this link for Compressor Feedback. http://www.apple.com/feedback/compressor.html
    Here is an article on hardware acceleration.
    Russ

  • Slider bug?

    I'm having an issue with the slider and value display.  I have a slider that stores a value (percent) in a cell no formula).  This cell is referenced for an index formula to display a value on a gauge.  When I drag the slider, my values jump between the correct numbers and "N/A", however, if I click on each incremental value, the numbers all display appropriately.  I cannot find any issues with the formula and other sliders in the presentation (set up the same way but $ or plain numbers) are also working fine.  I've double checked that the values in the excel sheet are all set up as percentages for this slider and it's not a mistake in decimal place/formatting.  Any suggestions as to why this skipping/error would happen when dragging, but not when clicking?
    If i hard code the results into the reference cell, the indexes work perfectly, so it shouldn't be a formula/index issue....
    I need to correct ASAP...please help!
    KB

    Yes, it's a known problem - we're testing a fix for it.

  • What, no position slider?!!!!

    Please someone tell me that Logic Studio has not abandoned the postion slider. This was one of the most useful features I've ever encountered in a computer program. I used it ALL THE TIME to instantly (almost) pull the song back to some general area while the song was running. It only took one click. Without it I have to grab a slider, move it to the area, then go up and click in order for playback to begin there. Three steps instead of one. I thought updates were supposed to IMPROVE the program.
    Please join me in ******* and moaning. Im sure it would be a simple matter to add it back if enough people bitched.

    Hi guys
    I assume you all know you can click the bar ruler (where the subdivisions are) to do this... I realise it's not the same as previous versions but it's functionality is pretty much the same.
    Also you can set up keycommands to navigate the page - play from selected object etc. You can select different objects (if they're on the same track) using the left and right cursor keys - changing track with up and down.
    Also, for what it's worth - markers are really easy to set up and manage (one play through at best) and with the use of KCs you can skip around your project no problem.
    If you don't like the way this is implemented, try this:
    At the top of your arrange, create an empty audio track - call it ARRANGE or similar.
    With the pencil draw in an empty object that's as long as your piece.
    Then with the scissors tool and the cursor tool, chop up and mark the track as appropriate - you can even colour the objects if it makes navigation easier.
    You can then move around the track with the cursors and use the 'play from' KC, also you can 'set locators' to specific parts of the arrange if you need to focus on certain sections, copy or remove verses etc.
    Of course none of this is handy if you only have one screen and are not in the arrange so I'd suggest using the 'go to' KC (mine is set up as 'G' - I'm not sure if this is the default or not). Then you can skip around the piece as fast as your brain+fingers communicate.
    hope this is of some help and not a pointless rant.
    Cheers
    Del

  • Set slider path position via calc

    So I have a simple display icon (Icon title = Flash Movie
    Position Slider) object set with the following settings:
    Positioning = On Path
    Movable = On Path
    Base = 0
    Initial = 0
    End = 100
    I know how to get the current position using PathPosition or
    DisplayX, but how do I set it via code? I have tried using
    SetIconProperty for LocationX, BaseX, InitialX but none work. Other
    than just the user sliding the slider I want the slider to move on
    it's own during the flash video playing. I have the calculation
    down to set an X position based on the current frame, just cant
    find that magic setting to specify a value to the path to make it
    happen.
    PS: This is not using the WinCtrls slider just a basic
    Authorware path using a display icon.

    > Movie icon does not support swf flsh files.
    Yes I know.
    > All our videos are being converted
    > to flash so I must use a media icon and not a movie
    icon.
    The Flash Sprite help file will tell you how to get the
    equivalent of
    MediaPosition form a Flash movie. Open your Flash Sprite
    properties and
    press the Help button on the properties dialogue.
    >
    > The only problem I am having now is setting the path
    position does not
    > work on
    > a publish to web project only on the exe.
    >
    What's your code?
    Steve
    EuroTAAC eLearning 2007
    http://www.eurotaac.com
    Adobe Community Expert: Authorware, Flash Mobile and Devices
    My blog -
    http://stevehoward.blogspot.com/
    Authorware tips -
    http://www.tomorrows-key.com

  • How to use the slider to avoid keyframes movements?

    Hi there,
    first of all, I have to tell, I am not a English speaker, so please excuse me in advance. Anyway, I want to solve this particular issue: I have created an After effects project, where you can add into the composition your own text, logo or whatever... what the after effects project does is, that it turns your text, or logo into the 3D metal result. There is also camera cretaed, which moves from one position, to another. Take a look:
    The inputed text is "add content" (I have 4 cameras alltogether, but I am showing an example just on the first one, so you will not see the whole text. The rest of the cameras are also in other compositions)
    Here you can see the exact movement of the camera. However, if somebody inserts a logo or a text, which has for example 7 letters (in the next picture it is just "content") it will look like this:
    here you can see how big space we have. Also it is not appropriate to change the original size of the text in the composition to achieve the smallest gap, as we can see here. The height will be huge then...
    If I would edit it by myself, I would do this:
    -I would clicked on the button "2 views" and choose view from the "front"
    -Then I would select all the keyframes and after that i would go into the left window "front" and  using the mouse I would draged whole the camera to the position I want:
    The great thing about this is, that as I selected all the keyframes and then set the red line on one of them, the camrea will work even for the beginning! So this is how it will look after the fix.
    What the problem is, that after the small edit I want to send this project to few of my friends. Then they can easily put their text, or logo in. The text will have different height, width...it will be shorter or longer. I was just wondering, if you could help with some expressions, linkings and so on, so in the final result, of one my friends could move with the  whole camera (not just with one keyframe) using the SLIDER CONTROL. At least for the x and y axis, if z axis is also possible, it would be brilliant. It also doesn't matter how many sliders there will be .
    So basically with using the sliders, they should achieve this:
    So i need some helpful steps. Please help me. This is very important for me. I will be so much thankful!! Really! (Thanks for the potential help )

    You are way over thinking your problem and potentially headed down a path that will cause more problems that it will solve.
    If you have a camera path that is already animated and you want to change the position of the camera path as a whole the easiest way to do that would be to create a null and then parent the camera to the null. Move the null and all of the camera movements you have set up will follow. No expressions are needed. This is the easiest way to change every aspect of a motion path, rotate the entire path, scale the path, or move the path on any axis.
    If you really want to use 3 position sliders to move existing keyframes to a new value adding value + expressions values will allow you to do this. Just add an three expression control sliders to the camera layer (or any layer like the null you are using as a parent) select the name of the slider in the ECW and press enter and rename it. Something like this will be the result.
    Notice that I also have rotation and scale controls in this setup. Now that you have 3 sliders you can separate the position property of the null into individual values enable expressions in each property and type in value +, then use the pickwhip to drag from the X value to your slider named xPosition (in my example) and repeat for each operation. The value + will add the value of the slider to the current value of the position keyframes. The expression will look like this for X:
    value + effect("x position")("Slider")
    If you want to use sliders I would use a null, add expression controls to the null for position, scale, and rotation, keep the camera position property unified and then use your expression control sliders on the null to modify your existing path. I would not suggest doing this directly on camera position with separated X, Y and Z values because this will change the shape of your camera path and would be more difficult to control. You'll probably also want to create a camera POInull and use this preset to tie the camera's point of interest to the null.
    Here's an animation preset you can apply to a null that will give complete control to the motion path of any animated layer you make the child of this null. Search Animation Preset in the After Effects Search Help field if you do not know how to use them, create them, and save them.
    As a final gimme, here's a CS6 project using this animation preset to control a null's position that used to change an animated camera path.

  • Autoplay bug in Safari?

    Recently I've been suffering from a strange phenomenon when viewing QuickTime content on the web - so far I've only encountered it only on Apple's trailers website.
    I have "Autoplay" option turned off on my workstation, but when I try to view some trailers (this does not happen in every one) their audio track starts playing for no apparent reason while the movie is still loading, as opposed to the video track which remains still. Moreover, the position slider remains in place as well as the Play button which remains with the Play icon, as if it was paused. In other words, everything remains in place as it should, except for the audio track which "miraculously" starts playing on it's own, and there is no way to stop it because the interface remains as if nothing is playing.
    The only workaround I've found so far was to reload the page, but I haven't got consistent results so far.
    It is also relevant to note that this only happened in Safari - when trying to view the same page/movie in FireFox this did not occur.
    I'm running the latest versions of everything, so any further help would be appreciated.

    I have the same problem. I'm using QT Pro 7.03.

Maybe you are looking for