Slideshow issues with variable time for each picture

Hi all,
I've migrated from AS1 to AS3, and boy, a lot has changed...
Anyhow, to learn and understand AS3, I'm modifying a slideshow I found through thetechlabs. I want it to play SWF as well as JPG. These files are passed through an XML file. I added an element called <delaytime> to the XML file that replaces the standard time a photo is shown in the slideshow.
I modified the onSlideFadeIn() function as follows:
function onSlideFadeIn():void {
     slideTimer.removeEventListener(TimerEvent.TIMER, nextSlide);
     slideTimer = new Timer(xmlSlideshow..file[intCurrentSlide].@time);
     slideTimer.addEventListener(TimerEvent.TIMER, nextSlide);
     if(bolPlaying && !slideTimer.running)
     slideTimer.start();
However, when I run it, I get this error message:
## [Tweener] Error: [object Sprite] raised an error while executing the 'onComplete'handler.
TypeError: Error #1010: A term is undefined and has no properties.
at slideshow_fla::MainTimeline/onSlideFadeIn()
at Function/http://adobe.com/AS3/2006/builtin::apply()
at caurina.transitions::Tweener$/::updateTweenByIndex()
at caurina.transitions::Tweener$/::updateTweens()
at caurina.transitions::Tweener$/onEnterFrame()
It stops at the first picture of my slideshow. When I push the 'next' button it displays the next pic, but I get the same error message again.
When I comment out this line:
slideTimer = new Timer(xmlSlideshow..file[intCurrentSlide].@time);
the slideshow runs OK, but without the delaytime specified in the XML file.
I'm lost here, what am I missing?
Any help to get me back on track is highly appreciated!
Thanks a bunch in advance,
Dirk
Here is the complete AS, should you need it:
// import tweener
import caurina.transitions.Tweener;
// delay between slides
const TIMER_DELAY:int = 5000;
// fade time between slides
const FADE_TIME:Number = 1;
// flag for knowing if slideshow is playing
var bolPlaying:Boolean = true;
// reference to the current slider container
var currentContainer:Sprite;
// index of the current slide
var intCurrentSlide:int = -1;
// total slides
var intSlideCount:int;
// timer for switching slides
var slideTimer:Timer;
// slides holder
var sprContainer1:Sprite;
var sprContainer2:Sprite;
// slides loader
var slideLoader:Loader;
// current slide link
var strLink:String = "";
// current slide link target
var strTarget:String = "";
// url to slideshow xml
var strXMLPath:String = "slideshow-data2.xml";
// slideshow xml loader
var xmlLoader:URLLoader;
// slideshow xml
var xmlSlideshow:XML;
function initSlideshow():void {
     // hide buttons, labels and link
     mcInfo.visible = false;
     btnLink.visible = false;
     // create new urlloader for xml file
     xmlLoader = new URLLoader();
     // add listener for complete event
     xmlLoader.addEventListener(Event.COMPLETE, onXMLLoadComplete);
     // load xml file
     xmlLoader.load(new URLRequest(strXMLPath));
     // create new timer with delay from constant
     slideTimer = new Timer(TIMER_DELAY);
     // add event listener for timer event
     slideTimer.addEventListener(TimerEvent.TIMER, nextSlide);
     // create 2 container sprite which will hold the slides and
     // add them to the masked movieclip
     sprContainer1 = new Sprite();
     sprContainer2 = new Sprite();
     mcSlideHolder.addChild(sprContainer1);
     mcSlideHolder.addChild(sprContainer2);
     // keep a reference of the container which is currently
     // in the front
     currentContainer = sprContainer2;
     // add event listeners for buttons
     btnLink.addEventListener(MouseEvent.CLICK, goToWebsite);
     btnLink.addEventListener(MouseEvent.ROLL_OVER, showDescription);
     btnLink.addEventListener(MouseEvent.ROLL_OUT, hideDescription);
     mcInfo.btnPlay.addEventListener(MouseEvent.CLICK, togglePause);
     mcInfo.btnPause.addEventListener(MouseEvent.CLICK, togglePause);
     mcInfo.btnNext.addEventListener(MouseEvent.CLICK, nextSlide);
     mcInfo.btnPrevious.addEventListener(MouseEvent.CLICK, previousSlide);
     // hide play button
     mcInfo.btnPlay.visible = false;
function onXMLLoadComplete(e:Event):void {
     // show buttons, labels and link
     mcInfo.visible = true;
     btnLink.visible = true;
     // create new xml with the received data
     xmlSlideshow = new XML(e.target.data);
     // get total slide count
     intSlideCount = xmlSlideshow..image.length();
     // switch the first slide without a delay
     switchSlide(0);
function fadeSlideIn(e:Event):void {
     // add loaded slide from slide loader to the
     // current container
     addSlideContent();
     // clear preloader text
     mcInfo.lbl_loading.text = "";
     // check if the slideshow is currently playing
     // if so, show time to the next slide. If not, show
     // a status message
     if(bolPlaying) {
          mcInfo.lbl_loading.text = "Next slide in " + TIMER_DELAY / 1000 + " sec.";
     } else {
          mcInfo.lbl_loading.text = "Slideshow paused";
     // fade the current container in and start the slide timer
     // when the tween is finished
     Tweener.addTween(currentContainer, {alpha:1, time:FADE_TIME, onComplete:onSlideFadeIn});
function onSlideFadeIn():void {
     slideTimer.removeEventListener(TimerEvent.TIMER, nextSlide);
     slideTimer = new Timer(xmlSlideshow..file[intCurrentSlide].@time);
     slideTimer.addEventListener(TimerEvent.TIMER, nextSlide);
     if(bolPlaying && !slideTimer.running)
     slideTimer.start();
function togglePause(e:MouseEvent):void {
     // check if the slideshow is currently playing
     if(bolPlaying) {
          // show play button
          mcInfo.btnPlay.visible = true;
          mcInfo.btnPause.visible = false;
          // set playing flag to false
          bolPlaying = false;
          // set status message
          mcInfo.lbl_loading.text = "Slideshow paused";
          // stop the timer
          slideTimer.stop();
     } else {
          // show pause button
          mcInfo.btnPlay.visible = false;
          mcInfo.btnPause.visible = true;
          // set playing flag to true
          bolPlaying = true;
          // show time to next slide
          mcInfo.lbl_loading.text = "Next slide in " + TIMER_DELAY / 1000 + " sec.";
          // reset and start timer
          slideTimer.reset();
          slideTimer.start();
function switchSlide(intSlide:int):void {
     // check if the last slide is still fading in
     if(!Tweener.isTweening(currentContainer)) {
          // check, if the timer is running (needed for the
          // very first switch of the slide)
          if(slideTimer.running)
          slideTimer.stop();
          // change slide index
          intCurrentSlide = intSlide;
          // check which container is currently in the front and
          // assign currentContainer to the one that's in the back with
          // the old slide
          if(currentContainer == sprContainer2)
          currentContainer = sprContainer1;
          else
          currentContainer = sprContainer2;
          // hide the old slide
          currentContainer.alpha = 0;
          // bring the old slide to the front
          mcSlideHolder.swapChildren(sprContainer2, sprContainer1);
          //Van hier
          if (currentContainer.numChildren > 0) {
               var slideObjRef:DisplayObject = currentContainer.getChildAt(0);
               currentContainer.removeChildAt(0);
               slideObjRef = null;
          //Tot hier
          // delete loaded content
          clearLoader();
          // create a new loader for the slide
          slideLoader = new Loader();
          // add event listener when slide is loaded
          slideLoader.contentLoaderInfo.addEventListener(Event.COMPLETE, fadeSlideIn);
          // add event listener for the progress
          slideLoader.contentLoaderInfo.addEventListener(ProgressEvent.PROGRESS, showProgress);
          // load the next slide
          slideLoader.load(new URLRequest(xmlSlideshow..image[intCurrentSlide].@src));
          // show description of the next slide
          mcInfo.lbl_description.text = xmlSlideshow..image[intCurrentSlide].@title;
          // set link and link target variable of the slide
          strLink = xmlSlideshow..image[intCurrentSlide].@link;
          strTarget = xmlSlideshow..image[intCurrentSlide].@target;
          mcInfo.mcDescription.lbl_description.htmlText = xmlSlideshow..image[intCurrentSlide].@desc;
          // show current slide and total slides
          mcInfo.lbl_count.text = (intCurrentSlide + 1) + " / " + intSlideCount + " Slides";
function showProgress(e:ProgressEvent):void {
     // show percentage of the bytes loaded from the current slide
     mcInfo.lbl_loading.text = "Loading..." + Math.ceil(e.bytesLoaded * 100 / e.bytesTotal) + "%";
function goToWebsite(e:MouseEvent):void {
     // check if the strLink is not empty and open the link in the
     // defined target window
     if(strLink != "" && strLink != null) {
          navigateToURL(new URLRequest(strLink), strTarget);
function nextSlide(e:Event = null):void {
     // check, if there are any slides left, if so, increment slide
     // index
     if(intCurrentSlide + 1 < intSlideCount)
     switchSlide(intCurrentSlide + 1);
     // if not, start slideshow from beginning
     else
     switchSlide(0);
function previousSlide(e:Event = null):void {
     // check, if there are any slides left, if so, decrement slide
     // index
     if(intCurrentSlide - 1 >= 0)
     switchSlide(intCurrentSlide - 1);
     // if not, start slideshow from the last slide
     else
     switchSlide(intSlideCount - 1);
function showDescription(e:MouseEvent):void {
     // remove tweens
     Tweener.removeTweens(mcInfo.mcDescription);
     // fade in the description
     Tweener.addTween(mcInfo

Thanks, but no luck so far...
With the debugging publish setting on, I get the following error message:
TypeError: Error #1009: Cannot access a property  or method of a null object reference.
at  slideshow_fla::MainTimeline/slideshow_fla::frame1()[slideshow_fla.MainTimeline::frame1:12 3]
Line 123 says:
trace(xmlSlideshow..file[intCurrentSlide].@time);
However, when I comment out the trace() line it gives another error  message:
## [Tweener] Error: [object Sprite] raised an  error while executing the 'onComplete'handler.
TypeError: Error #1010: A  term is undefined and has no properties.
at  slideshow_fla::MainTimeline/onSlideFadeIn()[slideshow_fla.MainTimeline::frame1:118]
Where line 118 is:
slideTimer = new  Timer(Number(xmlSlideshow..file[intCurrentSlide].@time));
Now, according to my Flash manual I bought, I need to 'instanciate' things.  Did I forget this?
Just can't get my head around this OOP stuff...
Thanks a bunch for helping me!

Similar Messages

  • Slideshow settings - seeting the time for each slide to play

    I have been trying to adjust the slideshow setting in iPhoto for "Play each slide for a minimum of X seconds". When I change this, the amount of time a slide plays changes in iPhoto, but not when I play the slideshow through Front Row. The time in Front Row is always 5 seconds and does not change. I am able to alter the music and transition effects, but not the slide play time.
    So, the basic question is, how do you change the maount of time a slide plays in a slideshow in Front Row?

    Hi, I've got the same problem. I'd like to play either an album or a slideshow in Front Row and advance each slide myself with the remote. Like you, I adjust all the settings in iPhoto (even changing the transition to 60 seconds) but it insists on advancing each slide for me every 5 seconds!
    Also, curiously I turn the music off in slideshow and even when playing slideshow it insists on playing music!

  • Recent playback issues with Quick Time for Windows

    Hi there. I recently started having choppy playback in Quick Time of
    .mov files composed of some footage shot on Sony XDCAM EX. Since I do not have the Sony codec on my PC, I had these .mov files converted to QT files with the H.264 codec by editors who use Final Cut Pro. They play badly, and now, so do all other mov. and MP-4 files for which I always used Quick Time.
    Currenlty have QT 7.62.
    Would Quick Time Pro 7 be the answer for a return to normal, fluid playback???
    Any help would be greatly appreciated.
    Thanks,
    Keith

    It wouldn't make a difference the pro version doesn't enhance the ability of what you can play or how good it plays. It just gives added feature's like being able to convert a .mov to .avi or save a file off a website.

  • Need to get the exact time of each picture that I saved ( maybe as a excel sheet or word )

    Hi guys,
    I am actually a new labview user. I have successfullly been able to save pictures. But unfortunately I got two problems. The first one is that I need to use two cameras at the same time. The program I have so far is for one camera. The second problem is that I need to get the exact time for each picture saved in the profile.
    I would appreciate if someone can help me with that. Anyway plz find attached the subvi.
    Regards,
    Abbas
    Attachments:
    Abbas progress.vi ‏54 KB

    Hi Abbas,
    First, I notice that you are using IMAQ for USB.  Is there any particular reason you are not using IMAQdx?  This is the newer, supported driver for use with USB cameras that supports acquiring from multiple cameras at the same time. 
    Check these two articles:
    Can I Acquire from Multiple USB Cameras Simultaneously Using IMAQdx?
    Can I Acquire from Two USB Cameras Simultaneously with NI-IMAQ for USB Cameras 1.0?
    And also this example (if you camera does not support acquiring from multiple cameras at the same time):
    Toggle Between Multiple USB Cameras
    As for timestamps, some cameras output them with the frame timing.  However, usually this is not a feature of USB cameras; if it is not, you can look into timing options within LabVIEW.  Try playing with the property node for IMAQdx and the Acquisition Attributes.
    Cheers,
    Marti C
    Applications Engineer
    National Instruments
    NI Medical

  • I am having issues with adjusting the duration of time for each still frame and transition in imovie 11.  Each time that I adjust these times, the app does not accept the change, and automatically enters its own time. Am I doing something wrong?

    I am having issues with adjusting the duration of time for each still frame and transition in imovie 11.  Each time that I adjust these times, the application does not accept the change, and instead automatically enters its own time. Is there a work around this? Or am I doing something wrong? Please Help!
    Thank you,
    lagrl

    Have you tried turning off automatic transitions ? Choose file - project properties and follow the dialogue box to change duration with a slider.  iMovie also doesn't allow a transition to be more than 50% duration of the clip its attached to. In other words if the clip is 4 seconds the transition cannot be more than 2 seconds and remember that relates to the first clip as the following clip (right side) is pulled back to overlay it.
    Does this help.  Perhaps you already know this ?

  • Slideshow  with individual timing for each photo just does NOT work!

    i am in slideshow mode with all the jpegs on top
    i go to settings
    it has DEFAULT settings for the entire slideshow
    it does not say each photo gets its own timing.
    the arrows for the transition direction are greyed out
    am i the only one who cant get this?
    where does it say set a time for each individual photo
    at the end of my rope
    OT or anyone have you got a way to explain how to get individual timings for each jpeg in a slideshow ( source )

    yeah i got it working and it certainly can be done in iphoto
    there is so much arduous work one has to do to learn these i lives!!!!
    you first send it to DVD
    then it lands in iphoto
    and you can absolutely do what you said one cant cos i just did it.
    what a day all day long a learning curve for sure.

  • Can I plot 2 locations at the same time for each record in a table

    I'm trying to plot 2 Locations (2 points on a Power View Map) at the same time for each record/project in a table
    I can plot 1 location for each project of course with no problem
    but I'm trying to show the Begin Point and the
    End Point for each project at the same time
    Is this even possible?

    First of all THANKS this worked!
    But now I stumbled on another issue. So I actually have 3 tables (and I've adopted them to the file you sent)
    Table 1 => TripData
    Trip
    LongLat
    Location
    Type
    TypeCode
    Size
    NW Tour
    47.568077, -122.320800
    Seattle, WA
    Begin
    0
    1
    NW Tour
    47.035608,   -122.884812
    Olympia,   WA
    End
    1
    1
    Cali Trip
    37.808848, -122.412580
    San Francisco, CA
    Begin
    0
    1
    Cali Trip
    32.682611, -117.178348
    San Diego, CA
    End
    1
    1
    Table 2 =>
    TripInfo
    Trip
    OneLongLat
    NTP
    NW Tour
    47.568077, -122.320800
    1/1/2015
    Cali Trip
    37.808848, -122.412580
    1/5/2015
    Table 3 =>
    ALLTrips
    Trip
    Stop
    Owner
    NW Tour
    1
    Owner1
    NW Tour
    2
    Owner2
    NW Tour
    3
    Owner3
    NW Tour
    4
    Owner4
    NW Tour
    5
    Owner5
    Cali Trip
    1
    Owner6
    Cali Trip
    2
    Owner7
    Cali Trip
    3
    Owner8
    Cali Trip
    4
    Owner9
    Cali Trip
    5
    Owner10
    Cali Trip
    6
    Owner11
    This is how the Diagram View looks like in PowerPivot
    Trip Data => Trip Info <= ALLTrips
    Since I don't know how to post pictures
    The MAP FIELDS are as follows
    SIZE - Count of Stop(s)
    LOCATIONS - OneLongLat followed by
    LongLat (drill down feature)
    COLOR - Trip
    The problem now happens with the drill down feature
    You can either plot OneLongLat which is the general location for each trip
    Or LongLat of each trip which shows the begin and end points
    But you can't use the drill down feature???
    If instead of OneLongLat you use a
    State Column it actually works!!!
    I wonder if it has to do with the fact that both locations used for the drill down are Long/Lat numbers???
    Any suggestions???
    And again Thanks for the response!

  • Store the Printing Metadata for each picture

    2) Can Lightroom store print metadata (font size/color, scaling factor) for each picture and for each virtual copy the way it already stores Vibrance, virtual copies, tone curves, etc. information?
    Suppose Photo1 and Photo2 have widely different title lengths (6 letters and 20 letters, respectively). Then I print Photo1 then Photo2 then Photo1 again.
    Right now I have to retype the title for Photo1 and re-scale the title letters for Photo1 to make them look the same size as the first time printing Photo1, even though I printed Photo1 already.
    I print almost all of my photos with titles and often cannot know which photo I'll print next. This is a real time-waster and not having to do this each time would be a huge timesaver!
    Thanks!
    Robert

    Thanks, Ian.
    That is do-able for a small number of pictures but I title hundreds of pictures and it would be much better since LR has a nice database to automatically store that metadata.
    An analogy in the Develop module is that users don't have to fill in a template to hold all their Develop metadata from session to session e.g., Recovery = 50, Fill = 10, Vibrance = 30, etc. because that would make LR's workflow far too cumbersome for 100s or 1000s of pictures. The same should be true for LR saving Print metadata.
    Thanks again,
    Robert

  • Having issues with my Time Machine backups...

    my mid-2009 MacBook Pro seems to be having an issue with time machine.
    I have an external, 1TB western digital harddrive that I used for my backups. it's about a year old. last weekend I took the harddrive with me on a trip - I kept it inside it's own neoprene case that was in my backpack for the entire weekend. the drive functioned without issue afterwards for almost a week.
    then, last Friday, it wouldn't complete a backup. I wasn't sure what the issue was so I (foolishly) erased the drive and just began again as a new TM. now it's still having issues backing up.
    I've tried repairing the disk permissions of my internal drive, and that actually seemed to help the TM complete a backup.
    usually it will just stop backing up, and sit there for ages without doing anything. I choose "skip this backup" in order to end it, and then try to force another backup right after. the problem, then, is that it will start but won't do much after it reaches 4kb backed up or 23kb. that's not a typo - it really says kilobytes!!
    not sure what the issue is at all, or how I can fix it. I have completed a backup since I erased the drive, but it's doesn't seem to want to carry on with regularly scheduled backups.
    is it an issue with the time machine harddrive, or something deeper with my computer? are the backups that I have done safe? as I said, I was able to perform an initial backup after I erased the drive... if I end up replacing this computer, will I still be able to restore from the back up?

    These instructions must be carried out as an administrator. If you have only one user account, you are the administrator.
    Launch the Console application in any of the following ways:
    ☞ Enter the first few letters of its name into a Spotlight search. Select it in the results (it should be at the top.)
    ☞ In the Finder, select Go ▹ Utilities from the menu bar, or press the key combination shift-command-U. The application is in the folder that opens.
    ☞ Open LaunchPad. Click Utilities, then Console in the icon grid.
    The title of the Console window should be All Messages. If it isn't, select
    SYSTEM LOG QUERIES ▹ All Messages
    from the log list on the left. If you don't see that list, select
    View ▹ Show Log List
    from the menu bar at the top of the screen.
    In the top right corner of the Console window, there's a search box labeled Filter. Initially the words "String Matching" are shown in that box. Enter the word "Starting" (without the quotes.) You should now see log messages with the words "Starting * backup," where * represents any of the words "automatic," "manual," or "standard."
    Each message in the log begins with the date and time when it was entered. Note the timestamp of the last "Starting" message that corresponds to the beginning of an an abnormal backup. Now
    CLEAR THE WORD "Starting" FROM THE TEXT FIELD
    so that all messages are showing, and scroll back in the log to the time you noted. Select the messages timestamped from then until the end of the backup, or the end of the log if that's not clear. Copy them to the Clipboard by pressing the key combination command-C. Paste into a reply to this message by pressing command-V.
    ☞ If all you see are messages that contain the word "Starting," you didn't clear the text field.
    If there are runs of repeated messages, post only one example of each. Don't post many repetitions of the same message.
    ☞ The log contains a vast amount of information, almost all of which is irrelevant to solving any particular problem. When posting a log extract, be selective. Don't post more than is requested.
    Please don't indiscriminately dump thousands of lines from the log into this discussion.
    Please don't post screenshots of log messages—post the text.
    ☞ Some private information, such as your name, may appear in the log. Anonymize before posting.

  • Problem with variable offset for 0CALMONTH

    Hello Community,
    I have a problem with using variables offset for time characteristic 0CALMONTH
    Let's say my current query looks like this:
    ...................01.2006..........02.2006..........03.2006   (0CALMONTH)
    Sales ..............100..................125................200   (Keyfigure)
    What I want do now is to add a previous year comparison. So that it should look this way:
    ...................01.2006..........02.2006..........03.2006   (0CALMONTH)
    Sales ..............100..................125................200   (selected months)
    LY_Sales...........50..................100................100   (selected months - 12)
    (LY_Sales should show figures of 01.2005, 02.2005 and 03.2006 in this example)
    I used new selection for LY_Sales with variable offset for 0CALMONTH -12 but that didn't work. Figures in second line are zero. The desired figures would show up (if I expand the selected time intervall wide enough) in 01.2005, 02.2005 and 03.2005 but that's of course not what I want.
    Please help if you can!
    Regards,
    Ulrich

    Hi,
    We can get an an other way by using CELL editor caoncept.
    First create teh query like this:
    ...................01.2006..........02.2006........12.2006.....01.2005...02.20005...12.2005  Sales ..............100................125..............200.............50...........100.........100 
    Sales ..............100................125..............200.............50...........100.........100
    Then hide the 2005 years' kf:
    ...................01.2006..........02.2006........12.2006
      Sales ..............100................125..............200 
    Sales ..............100................125..............200
    Though the call editor concept overwrite the second rows(selection) content with hidden columns of second row(selection) one by one .i.e first cell of 2nd row will be overwritten by 13 th cell of second column.similarly second cell of 2nd row will be overwritten by 14 th cell of second column........
    First row(selection) : Cal year Charactertic with restriction 2006.
    second row(selection) : Cal year Charactertic with restriction 2005.
    With rgds,
    Anil Kumar Sharma .P

  • Having issue with variable after upgrade in bi7.0

    Hi,
    I have issue with variable
    For example Plant info object has attributes country, company code, storage location
    etc.
    When I run the report. If I click on plant variable it is showing me the all the data for all country , compony code , storage location. I donot want this.
    I just want only plant input values on variable screen
    Thanks,
    Naman Shah

    Naman,
    What is your SP level ?
    Also the characteristics mentioned - are they compounding attributes ? if yes then tey will come in your variable entry.

  • For the last week or three Firefox refreshes two or three times for each refresh, and sometimes for no obvious reason..

    For the last week or three Firefox refreshes two or three times for each refresh. Sometimes it refreshes for no obvious reason. For instance, I'll be in the middle of typing into a forum's post block & it refreshes. Or filling out an online form. Or simply viewing a page.

    You can check for issues caused by an extension that isn't working properly.
    Start Firefox in <u>[[Safe Mode|Safe Mode]]</u> to check if one of the extensions (Firefox/Tools > Add-ons > Extensions) or if hardware acceleration is causing the problem (switch to the DEFAULT theme: Firefox/Tools > Add-ons > Appearance).
    *Do NOT click the Reset button on the Safe Mode start window.
    *https://support.mozilla.org/kb/Safe+Mode
    *https://support.mozilla.org/kb/Troubleshooting+extensions+and+themes

  • How to reduce the time for each clips up to 0,04 seconds?

    Hi, I'm trying to realize my first time laps. I've need to reduce the time for each clips up to 0,04 seconds, but it seems that the minimum time is 0,1 second. There's a solution?

    And use a zip file.  Many people can't open RARs.
    There are only two ways to tell somebody thanks: Kudos and Marked Solutions
    Unofficial Forum Rules and Guidelines

  • I have an issue with disappearing option for 1920x1080 in Preferences / Displays.

    Recently updated to 10.9 - have all updates installed - Mid 2010 iMac 21.5.
    I have an issue with disappearing option for 1920x1080 in Preferences / Displays. - After overnight shutdown, my iMac woke up and the screen resolution of my 2nd was set at 800 x 600 - the display a Samsung S22B150 was previously working properly at 1920 x 1080.  This option is no longer available in the system preferences - highest resolution available 1600 x 1200.
    I use my mMac for Photography and use the second monitor for the interface, leaving the iMac screen as a full work area for the photos.
    I have tried:
    Power down Monitor & restart
    Shutdown & restart
    Shutdown & restart in Safe Boot Mode (options same in Prefs)
    Power down Monitor & restart in Safe Boot Mode
    Ran Disc Utility - Repaired Permissions, verified both HDD & Mac OSX
    Udated Pram
    I am now at a loss, I guess I could try a recovery, and download/install  Mavericks again, but do not wish to do this if I can help it.
    I have searched the net to see if there are any Terminal commands to enable the resolution, but can find nothing.
    Anyone out there have any ideas, please.

    Back up all data. Quit System Preferences if it's running.
    Triple-click anywhere in the line below on this page to select it, then copy the text to the Clipboard by pressing the key combination command-C:
    ~/Library/Preferences/ByHost
    In the Finder, select
    Go ▹ Go to Folder...
    from the menu bar. Paste into the box that opens (command-V), then press return. A folder should open. If it does, look for a file with a long name that begins "com.apple.preference.displays2". There may be several such files. Move them to the Trash.
    Test.

  • To Check the execution time for each transaction.

    Abapers,
    How to find out the process time for each transaction eg.order entry,shippng,billing, etc in SAP.
    TIA,
    sinthu

    Hi,
        By default you can see the execution time at right side corner of sap session.
    You can use SE30 to get in to more details like database time , abap time etc...
    Hope it helps...
    Regards,
    Vijay

Maybe you are looking for

  • OVI Suite : How is it possible to EXPORT the synce...

    Hello All ! After having synced successfully , I would like to know how it is possible to export the different files to Excel , either in CSV or in TXT format ( or another one... ) Thank you for your help !

  • PROMBLEM WITH ADOBE ASSISTANT

    i try to download adobe after effects and adobe assistant keeps getting errors

  • Illustrator CS won't launch!

    Running OS X 3.93, my Illustrator CS app now hangs up on launch. Initially, the start up runs smooth right up to the font library loading, where at 90% complete, I suddenly get the "spinning wheel", then the dialog box "Illustrator CS has suddenly qu

  • Mountain Lion: MacBook Pro NOT showing as a shared device on iMac.

    I am running Mountain Lion on my iMac and MacBook Pro, for whatever reason the MBP does not show up as a "shared" device on the iMac, but the iMac shows as shared device on the MBP, I have ALL of the proper "file sharing" settings mirrored on both, a

  • Animation gif

    Hi guys, just wondered if any of you would be able to help me. I have an animated gif file to display. The means of me doing this so far, is by drawing this on a canvas, using double buffering. Code as below. Thing is, the speed at which the gif file