IMovie assigns random dates (eg 2040) to events

I don't seem to have a problem importing video from my camcorder, and iMovie generally creates an event on the actual date of import.
Occasionally iMovie saves the event under a completely random year(most recently 2040).
Does anyone know how to reassign the years under which events are saved?
Many thanks

I am having this same problem. After uploading a ton of movies, I've noticed that there are several event years (2027, 2014 etc) with movies in them. When I try to move those movies to the correct year/event it attempts to merge the 2 and to make things worse, it defaults to merging them to the INCORRECT year. Any help on this?
Thanks.

Similar Messages

  • Imported photos into iPhoto 5 assign random date and I want to change it.

    Basically, I import a photo or an album from anywhere (desktop, camera, memory card reader, etc.), and it assigns itself a random date and get's lost in my expansive library. My copy of iPhoto is so janky in general that all I really want to know is if it is possible to change the date of a roll, and how if I can. Doing a batch change doesn't do anything. Can I change the date of a roll?
    cheers,
    Ben
    PowerMac G5 Dual 2.5Ghz   Mac OS X (10.3.9)  

    Hi Benjamin,
    Open the info panel by clicking on the i icon on the bottom left of the iPhoto window
    Now click on the title of a roll
    Then go to the info panel and click on the word "date" and type in the date

  • IMovie 10.0.2: how to order events by date?

    In the previous versions of iMovie it was possibile to have the events browser ordered by year and month.
    Now apparently only in alphabetical order, which to me is not useful.
    Any tips?
    Thanks, Alessandro

    Thanks Jim, but my problem is the order of events.
    Your answer confirms me that it's not possible to have events ordered alphabetically at the moment.
    Let's hope for an update.
    Regards

  • Use SQL to roll a schedule forward to a random date

    Hi,
    oracle 10.2.0.4  Linux
    We have two largeish  tables ( 10^5 rows in each) that track our workforces scheduled hours.  The first table creates generic schedules that show working days, each schedule must have 1-n rows in it, one for each day in the cycle.  The majority of our workforce are on a rolling 8 day cycle.  In the example below I have two shifts
    Sched_4d that is a four day cycle of day-on day-off pairs.
    Sched_3d this is a staggered full day, half day, day-off cycle.
    From the information below you can see that in 1990 the sched_4d went from an 8 hour day to a 9 hour day.  There is no guarantee that SCHED_4D will not suddenly gain 2 extra days as part of this years union talks.
    The second table is a simple assigment table showing when a person goes onto a schedule.
    To work out a given day's schedule, you look at the EMP_SHIFT table to work out which schedule is "current", then you look at the date that the person was assigned to the schedule and assume that is SHIFT_ID 1, the next day is SHIFT_ID 2 until you complete the cycle and start again.
    CREATE TABLE SCHED_DATA
      SCHED_ID     VARCHAR2(8 CHAR)             NOT NULL,
      ASOFDATE           DATE                          NOT NULL,
      SHIFT_ID        NUMBER(3)           NOT NULL,
      SCHED_HRS       NUMBER(4,2)                   NOT NULL
    CREATE UNIQUE INDEX SCHED_DATA on SCHED_DATA (SCHED_ID, ASOFDATE, SHIFT_ID)
    CREATE TABLE EMP_SHIFT
    EMPID VARCHAR2(15 CHAR) NOT NULL,
    ASOFDATE DATE NOT NULL,
    SCHED_ID VARCHAR2(8 CHAR) NOT NULL
    CREATE UNIQUE INDEX EMP_SHIFT on EMP_SHIFT ( EMPID, ASOFDATE, SCHED_ID)
    INSERT INTO SCHED_DATA VALUES ('SCHED_4D', '01-JAN-1980',1,8);
    INSERT INTO SCHED_DATA VALUES ('SCHED_4D', '01-JAN-1980',2,0);
    INSERT INTO SCHED_DATA VALUES ('SCHED_4D', '01-JAN-1980',3,8);
    INSERT INTO SCHED_DATA VALUES ('SCHED_4D', '01-JAN-1980',4,0);
    INSERT INTO SCHED_DATA VALUES ('SCHED_4D', '01-JAN-1990',1,9);
    INSERT INTO SCHED_DATA VALUES ('SCHED_4D', '01-JAN-1990',2,0);
    INSERT INTO SCHED_DATA VALUES ('SCHED_4D', '01-JAN-1990',3,9);
    INSERT INTO SCHED_DATA VALUES ('SCHED_4D', '01-JAN-1990',4,0);
    INSERT INTO SCHED_DATA VALUES ('SCHED_3D', '01-JAN-1990',1,8);
    INSERT INTO SCHED_DATA VALUES ('SCHED_3D', '01-JAN-1990',2,4);
    INSERT INTO SCHED_DATA VALUES ('SCHED_3D', '01-JAN-1990',3,0);
    INSERT INTO EMP_SHIFT VALUES ('001', '20-DEC-1989', 'SCHED_4D');
    INSERT INTO EMP_SHIFT VALUES ('001', '01-JAN-1990', 'SCHED_4D');
    INSERT INTO EMP_SHIFT VALUES ('001', '03-JAN-1990', 'SCHED_3D');
    Given the above information, I need to write a select that receives 2 dates ( :FROM and :TO) and for all employees in EMP_SHIFT returns a row for each day and the relevant scheduled hours for that day. 
    Thus the above data  with a from and to of '21-DEC-1989' : '05-JAN-1990' should return
    EMPID, DATE, SCHED_HOURS
    001, 21-DEC, 0
    001, 22-DEC, 8
    001, 23-DEC, 0
    001, 24-DEC, 8
    001, 25-DEC, 0
    001, 26-DEC, 8
    001, 27-DEC, 0
    001, 28-DEC, 8
    001, 29-DEC, 0
    001, 30-DEC, 8
    001, 31-DEC, 0
    001, 01-JAN, 9
    001, 02-JAN, 0
    001, 03-JAN, 8
    001, 04-JAN, 4
    001, 05-JAN, 0
    The employee started thir assignment to sched_4d on 20-DEC, so that would be SHIFT_ID 1.  Thus 21-DEC is SHIFT ID 2 which is 0 hours.  Cycle until the next event which is 01-JAN, when they are assigned to the new sched_4d which has them working 9 hours on day 1.  On 03-JAN they switch to the new cycle and go on the 8:4:0 rotation.
    I can see how I could
    SELECT EMPID, DAY_OF_INTEREST, SCHED_ID
    FROM EMP_SHIFT A, (SELECT '01-JAN-1979' + rownum "DAY_OF_INTEREST" from dual connect by level <=10000)
    WHERE A.ASOFDATE = (SELECT MAX(A1.ASOFDATE) FROM EMP_SHIFT A1 WHERE A1.EMPID = A.EMPID AND A1.ASOFDATE <= DAY_OF_INTEREST)
    AND DAY_OF_INTEREST BETWEEN :FROM_DT AND :TO_DT
    And I imagine I need to use some kind of MOD( (DAY_OF_INTEREST - EMP_SHIFT.ASOFDATE), (#number of days in shift) ) to work out which shift_id applies for a given Day_of_interest
    But I am struggling to do this in a way that would scale to more than one employee,
    Do any of the analytic functions achieve this in a neat way ?

    Hi,
    There are several analytic functions that might help here.  Both tables include starting dates only; we need to know ending dates for employee assignments as well as for schedules.  I used the analytic MIN and LEAD functions to get these in the query below.  Also, the query below needs to know how many days are in each schedule.  I used the analytic COUNT function for that.
    WITH    params   AS
       SELECT  TO_DATE ('21-DEC-1989', 'DD_MON-YYYY')  AS start_date
       ,       TO_DATE ('05-JAN-1990', 'DD_MON-YYYY')  AS end_date
       FROM    dual
    ,       all_dates   AS
        SELECT  start_date + LEVEL - 1    AS a_date
        FROM    params
        CONNECT BY  LEVEL <= (end_date + 1) - start_date
    ,       sched_data_plus AS
        SELECT  sched_id, asofdate, shift_id, sched_hrs
        ,       NVL ( MIN (asofdate) OVER ( PARTITION BY  sched_id
                                            ORDER BY      asofdate
                                            RANGE BETWEEN 1         FOLLOWING
                                                  AND     UNBOUNDED FOLLOWING
                                          ) - 1
                    , TO_DATE ('31-DEC-9999', 'DD-MON-YYYY')
                    )          AS uptodate
        ,       COUNT (*) OVER ( PARTITION BY  sched_id
                                 ,             asofdate
                               )  AS days_in_sched
        FROM    sched_data
    ,       emp_shift_plus AS
        SELECT  empid, asofdate, sched_id
        ,       NVL ( LEAD (asofdate) OVER ( PARTITION BY  empid
                                             ORDER BY      asofdate
                                           ) - 1
                    , TO_DATE ('31-DEC-9999', 'DD-MON-YYYY')
                    )    AS uptodate
        FROM    emp_shift
    SELECT    e.empid
    ,         d.a_date
    ,         s.sched_hrs
    FROM      all_dates        d
    JOIN      sched_data_plus  s  ON   d.a_date    BETWEEN s.asofdate
                                                   AND     s.uptodate
    JOIN      emp_shift_plus   e  ON   d.a_date    BETWEEN e.asofdate
                                                   AND     e.uptodate
                                  AND  e.sched_id  = s.sched_id
                                  AND  MOD ( d.a_date - e.asofdate
                                           , s.days_in_sched
                                           ) + 1   = s.shift_id
    ORDER BY  e.empid
    ,         d.a_date
    This query starts by getting all the days of interest, that is, all the days between the given start- and end dates.  (When you said "random date", I assume you meant "given date", which may not involve any random element.)
    Once we have a list of all the dates of interest, getting the results you want is just a matter of inner-joining to get which schedules were in effect on those dates, and which employees were assigned to those schedules on those dates.
    If you're concerned about having more than 1 employee, maybe you should post sample data that involves more than 1 employee.
    How do you handle employee terminations?  For example, what if employee 001 had quit on January 4, 1990?  I assume you'd want the output for that employee to stop on January 4, rather than continue to the end of the period of interest.
    If you have termination dates in an employee table not shown here, then you can use that termination date instead of December 31, 9999 as the default end date for assignments.  If you have a special schedule for terminations (or leaves of absence, for that matter) you'll probably want to include a WHERE clause in the main query not to display dates after the employee left (or while the employee was on leave).

  • Batch Fix iMovie Clip Create Dates

    I noticed the many issues that people have with iMovie importing clips, and then assigning a create date to the physical file based on the import date, not the actual shoot/creation date.  Although it maintains the correct create_date within the iMovie interface, this is bad news if I ever decide to use these files with another peice of software.  Several people suggested using "A Better Finder Attributes" (http://bit.ly/RI9Zrv) to manually change the file's create date.  But, as friendly as ABFA is, this one-by-one method would take forever with so many files impacted.
    Question: The file name that iMovie assigns to imported clips looks like this: "clip-2011-08-07 16;42;54.mov", containing the date/time stamp. What I was wondering is whether someone might have a suggestion/tool/script for re-assigning the create date by parsing the file name, and converting it into the correct date/time stamp for the file?  Or, can you think of any other way to batch-correct the create dates?
    Thanks in advance!

    Claas,
    I had a few different problems I needed to solve. First I was not viewing "All Clips" in the iMovie browser window. You need to makes sure you have the setting correct in your iMovie broswer.
    Then I could see the rejected clips, and in my case there were some in the event from 2009 that were not being used in my project, and that cause the event to get dated 2009. In other words, an event is going to get dated based on the newest clip in the event. I deleted those clips, and then the project moved into the 2006 year folder (grouping).
    Second I had some missing clips. Those were harder to fix. I had to go to the finder and open the iMovie library package and dig into the files there and find the missing files. I dragged them to my desktop, and then dragged them back into the clips section of the iMove browser. If you try this, make sure you have a good backup of everything in case something goes haywire. I hope this helps. It can be confusing. I final got everything fixed and working right. Now I'm having fun making movies!

  • Changing date (and sequence) of events by changing dates of photos no longer seems to work. Any idea what to do?

    I am scanning in old slides and negatives (from the 1960s and 70s), and I want to get the resulting "events" in sequence from when the photos were taken, rather than when they were scanned. So I have been changing the dates of the photos, and previously this resulted in the associated event moving to the proper sequence. This definitely worked a month or so ago, both with prints scanned in on a flat-bed scanner, and also with slides and negatives scanned with a Veho scanner. That was faulty, however, and so it has been replaced with a Plustek 7500i scanner, using SilverFast scanning software, and importing the resulting images into iPhoto. I have recently tried to change the dates of the resulting events, and it doesn't seem to work as it used to. There has been an update to iPhoto 9.1.3 since my earlier success.
    Take for example one event, CS73A. Hovering over the event in the "All events" display gives dates of 1 Apr 2011 to 2 Apr 2011; these are the dates the slides were scanned in. If I open the event and choose the Info tab, it gives the event date as 02/03/1973 (which is the approximate date that I changed it to). I had done a batch change on the event this time, so the date and time on the first slide is 2 March 1973 09:30:48. Each successive slide is 1 minute later, and the last is 2 March 1973 10:08:48 (38 slides). I asked for the dates in the files to be changed as well.
    I don't know what I'm doing that's different from before. The only things I can think of are (a) something has changed in the iPhoto update, or (b) the SilverFast software stores the scanning date in some part of the EXIF that iPhoto can read but not change. I don't have tools to examine the EXIF unfortunately.
    What to do?

    Chris, I have run into the same problem.
    Try this:
    Open an event with more than one photo in it.
    Adjust the date of one or more photos. The event date does not update.
    Delete any one photo. The event date now updates to match the above date change.
    Undo the delete photo. The event date stays matching.
    Change the date of any photo again. The event date updates now every time.
    If you close the event and reopen it, you have to start over with the delete one photo thing.
    I don't understand it but it works here.
    I also have had the problem of events not sorting themselves in order of the dates when VIEW, SORT, BY DATE is selected. This seems to affect only the events were photo date changes had been made. Using the delete thing seems to keep the events in order.
    Another funny thing: When I put photos into iMovie the times in iMovie show as 7 hours off the photo time.
    I think Apple owes us an update to iLife!

  • HT202853 iMovie failing to update older projects and events on external hard drive.

    I've made sure my iMovie events and iMovie projects files are on the top level of my external hard drive, however iMovie says, "iMovie could not find any events or project files to update" please help.
    I only recently updated my computer to OSX 10.10.1 ; before that, I was using OSX 10.6.8 Snow Leopard. Not sure if that has any effect on this topic.
    Here are my specs:
    Type: MacBook Pro (13-inch, Early 2011)
    Processor: 2.3 GHz Intel Core i5
    Memory: 4GB 1333 MHz DDR3
    Startup Disk: Macintosh HD
    Pretty sure graphics and serial dont matter so I wont put it in.
    But yea, I've been trying to figure out what's going on for a few days and have had no result.
    This problem's really hindering my progress for a film I'm making and iMovie is getting more and more frustrating to use as it develops.
    I hope somebody be able to help me asap.
    Thanks

    If you want to try and start over with the iMovie 10 "Update Projects and Events...", remove the "UpdatedToiMovie10" file in both the iMove Events and iMovie Projects folders (the older folders). Then open iMovie 10 and reselect "Update Projects and Events...". My expectation is that you will experience the same missing events problem I have, caused by changing the clip date and time in the previous version of iMovie (9). It's a bug that persists through iMovie 10.0.8 (just released a few days ago). Really really wish Apple could fix this.

  • How to generate n random dates between 2 time periods

    Hi,
    I'm trying to write a method that generates n random dates between 2
    time periods. For example, lets say I want to generate n random dates
    between Jan 1 2003 and Jan 15 2003. I'm not sure how to go about
    doing the random date generation. Can someone provide some direction
    on how to do this?
    The method signature should look like this.
    public String[] generateRandomDates(String date1,String date2,int n){
    // date1 and date2 come in the format of mmddyyyyhh24miss.
    // n is the number of random dates to generate.
    return dateArray;
    Thanks.
    Peter

    first take a look at the API concerning a source of randomness (Random might be a good guess), then take a look at stuff concerning dates (Date might be cool, maybe you will find some links from there).
    Who wrote this stupid assignment?

  • Dates of photos and Events do not match!

    I have photos clearly labelled with the correct original date being displayed in Events several days removed from that date. For instance, I have an Event for 8/7/10 that has photos in it dated 8/2/10 and even 8/3/10. The photos have modification and import dates that make sense, but nothing that would suggest (to me) that they should go in a different Event. (iPhoto 09)
    Thanks a million,Mark

    Correction, path should be System Preferences ➙ System ➙ Date & Time ➙ Date & Time (Tab) ➙ Open Language and Text… (Button) ➙ Formats (Tab)
    THANKS. That seems to be related. My language (under the Language tab on this window) was set to English, but the Format (tab) should have said United States, but instead said Custom. Changing it to United States showed a change on that window where they display examples of the Jan 1 date.
    Interestingly, only the abbreviated date was wrong. The others showed 2011, except for the one marked as Jan 1, 2000.
    http://www.darrowart.com/other/forums/ZZ74920851.jpg
    So I clicked the "Customize" button and it showed that once choice (of how to display it) as a typed-in value (vs a menu choice) and it had been typed in "2000"
    http://www.darrowart.com/other/forums/ZZ723076F6.jpg
    So, now I have it corrected to United States, not Custom, and all the example formats are 2011 (as they should be). The days of downloaded files have all changed back to proper year, so apparently the dates were saved right, but display (and sort) wrong.
    Thanks for your insight.
    As far as the iPhoto Events having the wrong Dates, my conclusion is that this "Customized" date format glitch is the culprit: Since the individual photos each have the correct date despite the Event having the wrong date, I have to look at the Event date as merely a wrong name, not a reflection of a wrong date.
    Since I gave a test import no name prior to import, just now, it named the import/Event with the Abbreviated date (which is now correctly formatted). That name should "ride with" the Event regardless of what else I do to the photos. It's just a name that gets assigned which happens to look like a Date (I could name it a date in the future and it would have no bearing on sorting or other data functions).
    Thanks!

  • Programmatically Assign Published Data to Variable

    is there anyway to assign published data to a variable programmatically in powershell? - in other words without right-clicking and selecting "Subscribe->Published Data" .

    We are composing a runbook that queries a database for "events" - this data is published.   Associated with each event is a runbook name(an automation to perform for the event).  With the runbook name, we query another table in db for all
    data associated with the runbook.  Some of the data in the runbook table are parameter names and values.  The values can be either the actual data needed to run the runbook (e.g "SOMEHOSTNAME") or a field name (e.g. @Node) (taken from the
    "event's" row in the first query) where the field's value would be used as a parameter's value passed to the runbook.   Before calling the Web Service to start the runbook, the parameters must be set.   If the parameter's value is
    the actual value needed, then it is used.   If it is a field name, the published data must be used.  I would prefer not to have a long list of conditions for every possible field that could be used(see below) 
     if($fieldName -eq "@Node"){
         $newValue = 'right click for published data'
     }elseif($fieldName -eq "@IPAddress"){
         $newValue = 'right click for published data'
    but rather, evaluate the variable to see if it has a field in it and extract the fieldname and dynamically assign the value from the published data:
    if($fieldName -match "^@(.*)"){
    $newValue = (call some code with $matches[1] to retrieve published data)
    In short, cosolidating all possible "if" statements into one.

  • For a few months now my ical keeps jumping back and forth.  It's very hard to use my calendar as it doesn't open on today, it may stay a few seconds and then it goes backwards to random dates and forwards.  It doesn't sit still so I can see what I have on

    My iCal is driving me nuts.
    It won't sit still when I am looking at my calender.  I try holding it still with one finger, two fingers and it just moves.  It jumps to random dates and I have no confidence in it any longer.   I use my calendar all the time and this just isn't good enough.
    I have gone into the apple store and they said they hadn't seen that before.  It did it while I was there.  They restored the phone and it didn't make any difference.
    I have turned the calendar off in settings - mail - icloud - deleted and then turned back on again.  It didn't help.
    I put the Google Calendar app on in the hopes I would have a calendar that wouldn't frustrate me and it is so slow in responding, I have deleted it.
    I see online that many others are having the same problem with their iCal. 
    It would be great to know the solution.
    Please help

    Hey everyone in Apple world!
    I figured out how to fix the flashing yellow screen problem that I've been having on my MBP!  Yessssss!!!
    I found this super handy website with the golden answer: http://support.apple.com/kb/HT1379
    I followed the instructions on this page and here's what I did:
    Resetting NVRAM / PRAM
    Shut down your Mac.
    Locate the following keys on the keyboard: Command (⌘), Option, P, and R. You will need to hold these keys down simultaneously in step 4.
    Turn on the computer.
    Press and hold the Command-Option-P-R keys before the gray screen appears.
    Hold the keys down until the computer restarts and you hear the startup sound for the second time.
    Release the keys.
    I went through the 6 steps above twice, just to make sure I got rid of whatever stuff was holding up my bootup process.  Since I did that, my MBP boots up just like normal.  No flashing yellow screen anymore!!   
    (Note that I arrived at this solution when I first saw this page: http://support.apple.com/kb/TS2570?viewlocale=en_US)
    Let me know if this works for you!
    Elaine

  • Why can't I set a relative date for a recurring event in calendar on my ipod touch?

    why can't I set a relative date for a recurring event in calendar on my ipod touch?

    Because The Calendar app does not support it. There are apps in the App store that do.

  • The "More Everything Plan" is ruining my life!  (and adding random data charges to my bill)

    Hello,
    I recently changed my data plan a few months ago to the 6 GB Data plan with 2 phones tied to my service when I upgraded my phone to the Samsung Galaxy 5.  For the most part my wife and I have been doing pretty good at keeping the our monthly data usage down to the 6 GB.  On Nov 4th was I upgraded to the new 10 GB my everything plan and ever since that change, my account has been making RANDOM data charges at all hours of the night!  I pulled both my wife's Data Usage report and my own and compared them. 
    Looking at my wife's data usage below, you can clearly see that there are automated data spikes that her phone went through on the same exact time on different days!  Looking at the dates, these spikes did not start to automatically occur until we upgraded our plan on Nov 4th.  The same goes for my data usage below.  There are multiple days that my phone surged on the same exact time with large spikes of data!  These reports were organized by largest "Unbilled Data Usage" spikes.
    These spikes SHOULD NOT be occurring and have nothing to do with what apps we have installed our phones.  We have both filtered our usage by apps on our phones and they do not add up.  What's the point of having a larger data plan, if that data plan just steals MG randomly off your phone for no reason???  Because of these spikes, I have add to pay over $100 in overage fees and in November, I have already had to buy MORE DATA ($20 for 5 GB more) because I was already at 90% of my usage with 2 weeks still to go in the billing cycle!  I need actions and not suggestions.  I'm not the only one with these problems and this needs to be addressed.
    Please help!!!!!
    (Wife's Data Usage)
    (My Data Usage)

    You're right, data usage can be confusion...especially when your response above doesn't make sense.
    If data usage is counted in 6 hour blocks, then how in the world did Nov. 5th last 138 hours???  Data was calculated 23 times on 11/5/14 and 14 times on on 11/4.  These are just 2 examples of when the data was pulled in in "6 hour blocks of time". Nearly every day in my pulled report this month shows 2 dozen or more times the data was recorded and billed each day. (see below)
    Further more, if data usage actually was counted in 6 hour intervals, that still doesn't explain why my phone randomly surged 1.27 GB of data at 5:36 AM in the morning on 11/12/14.  Even if this counted data since 11:36 PM the night before on 11/11/14 night, there's no way I would have used this much data!  Since I work during the weekdays 9-5, I am already in bed at this time and not using my phone.  And it can't be recorded data usage after 5:36 AM, because then what would be the point of having a time stamp in the report?  Where was this data coming from???  (see below)
    The timing of my spike in data is just way too coincidental of when I upgraded my data to 10 GB earlier this month.  If you compare our data usage against other months (when I had 6 GB) we didn't have random spikes like we are seeing now.  There is something wrong with the new data plan on our phones, and I really wish someone could clearly point out where these additional charges are coming from.  Please have a representative contact me at your earlier convenience.
    6 Hour Blocks of Time?
    Data pulled at 5:36 AM
    Data Spike in the Past Months

  • Assigning a Data Source to a Chart via JavaScript

    Dear all,
    Is it possible to assign a Data Source to a Chart via coding ?
    something like :
    CHART_1.setDataSource ...
    Many thanks
    Hans

    I ran into the same problem.  You can't dynamically switch DataSources for a chart, however, you can re-assign a DataSource to a different query.
    I have a chart assigned to DS_1:
    On startup, I need to check a flag, and use a different query based on the value of the flag.
    Since I can't dynamically switch the DataSource for the chart, I simply switch the query that feeds the DataSource like this:
    I hope this helps.

  • I'm having some difficulty with Time Machine.  It appears to be deleting backups from random dates on my external hard drive.  I am not deleting them.  Are they hidden and how do I prevent this from happening?  Can I retrieve them?

    I'm having some difficulty with Time Machine.  It appears to be deleting backups from random dates on my external hard drive.  I am not deleting them.  Are they hidden and how do I prevent this from happening?  Can I retrieve them?

    ... I didn't know that Time Machine was more a last resort back up instead of main back up.
    Don't rely upon Time Machine to the exclusion of all else. I compliment Time Machine with a periodic "clone". TM is much better than nothing, but it's a safety net, not a hammock
    Here is my understanding of Time Machine's file deletion algorithm, distilled from Pondini's FAQ, Apple's KB articles, and my own observations.
    Time Machine deletes ("thins") files from the backup disk as follows:
    Hourly backups over 24 hours old, except the first backup of the day
    Daily backups over 30 days old, except the first backup of the week
    Older backups get deleted when Time Machine requires space and you deleted them from the source disk.
    Therefore, assuming TM has been performing at least one backup per day, backup files will remain available:
    at least thirty days, if they existed on your Mac for at least a day
    until you run out of space, if they existed on your Mac for at least a week
    In addition to the above, Time Machine always keeps one complete copy of your source disk so that the entire volume could be restored if necessary. Any files that remain on your source volume will be present on the TM backup, no matter how old they are.
    If you are using 250 GB of space on your source disk, its Time Machine backups are likely to require at least twice that much. A good estimate of the minimum required backup volume size would be about three times the size of your source disk - 1.5 TB in your case.
    A more thorough explanation would require Pondini since he has plumbed Time Machine's mysteries far more than I have.
    http://support.apple.com/kb/HT1427

Maybe you are looking for

  • Request for next updates of Zen Mi

    I have a request for next updates of Zen Micro! Please, add an option in the Zen Micro allowing to disable the blue fading lighting during charging, it is very beautiful, but very disturbing in a bedroom all the night!

  • Purchase requisition got deleted in the sales order..

    Hi All, I got stuck up with an issue in AFS. The issue is that after creating a P.O with the help of a TAB order,the user has assigned a rejection reason at the item level in the sales order. Then again the rejection reason was removed and now the pu

  • Macbook Pro w/retina & Haswell Processor Upgrade

    I would be stoked if this was available to save on batter life, Will the macbook pro (mid 2013) be upgradable to the new intel haswell processor, if at anytime?

  • HT204088 ipad mini question

    I believe my sons ipadmini was stolen. There was over 100.00 in itunes credit on it. Is there a way to track it from any purchases made?

  • I can't set SPPrmsLOB

    I am running a Visual Basic 6 program that connects to an Oracle database and works OK until I try to store a clob via a package. When attemting to set .. cmd.Properties("SPPrmsLOB") = True .. I get the error "Item cannot be found in the collection c