Backup-GPO -All, can this be filtered?

Hi guys,
I'm using the following to backup all the GPO's in the domain:
$Backups = Backup-GPO -All -Path $SubBackupFolder -Domain $DomainFQDN -Comment "Add comment here"
However, I do not want to backup all the GPO's. I want to backup only about 20 Gpo's found inside 2 OU's. Is this achievable via backup-gpo? Rather than the -All parameter can I instead say -All that are inside these 2 OU's. All the GPO's I want to backup
contain the words "win7" somewhere within the GPO name if that helps.
I'm using Ian's script "Comprehensive Group Policy Backup Script" that performs a backup and there's a script that imports the exported data as well. Keeps links, gpo settings, delegation, etc etc..
Thank you so much for your help.

Hi Mike,
Thanks for the response. I think I understand what you're saying, I now need to find out how to do it. I'm a complete scripting beginner. I can read scripts but cant write, I'll read up on filtering with Where and piping. BTW here is the complete script
I'm working with:
<#
.SYNOPSIS
Backs up all GPOs from a specified domain and includes additional GPO information.
.DESCRIPTION
The script backs up all GPOs in a target domain and captures additional GPO management information, such
as Scope of Management, Block Inheritance, Link Enabled, Link Order, Link Enforced and WMI Filters.
The backup can then be used by a partner script to mirror GPOs in a test domain.
Details:
* Creates a XML file containing PSCustomObjects used by partner import script
* Creates a XML file WMI filter details used by partner import script
* Creates a CSV file of additional information for readability
* Additional backup information includes SOM (Scope of Management) Path, Block Inheritance, Link Enabled,
Link Order', Link Enforced and WMI Filter data
* Each CSV SOM entry is made up of "DistinguishedName:BlockInheritance:LinkEnabled:LinkOrder:LinkEnforced"
* Option to create a Migration Table (to then be manually updated)
Requirements:
* PowerShell GroupPolicy Module
* PowerShell ActiveDirectory Module
* Group Policy Management Console
.EXAMPLE
.\BackUp_GPOs.ps1 -Domain wintiptoys.com -BackupFolder "\\wingdc01\backups\"
This will backup all GPOs in the domain wingtiptoys.com and store them in a date and time stamped folder
under \\wingdc01\backups\.
.EXAMPLE
.\BackUp_GPOs.ps1 -Domain contoso.com -BackupFolder "c:\backups" -MigTable
This will backup all GPOs in the domain contoso.com and store them in a date and time stamped folder
under c:\backups\. A migration table, MigrationTable.migtable, will also be created for manual editing.
.OUTPUTS
Backup folder name in the format Year_Month_Day_HourMinuteSecond
GpoDetails.xml
WmiFilters.xml
GpoInformation.csv
MigrationTable.migtable (optional)
EXIT CODES: 1 - GPMC not found
.NOTES
THIS CODE-SAMPLE IS PROVIDED "AS IS" WITHOUT WARRANTY OF ANY KIND, EITHER EXPRESSED
OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE IMPLIED WARRANTIES OF MERCHANTABILITY AND/OR
FITNESS FOR A PARTICULAR PURPOSE.
This sample is not supported under any Microsoft standard support program or service.
The script is provided AS IS without warranty of any kind. Microsoft further disclaims all
implied warranties including, without limitation, any implied warranties of merchantability
or of fitness for a particular purpose. The entire risk arising out of the use or performance
of the sample and documentation remains with you. In no event shall Microsoft, its authors,
or anyone else involved in the creation, production, or delivery of the script be liable for
any damages whatsoever (including, without limitation, damages for loss of business profits,
business interruption, loss of business information, or other pecuniary loss) arising out of
the use of or inability to use the sample or documentation, even if Microsoft has been advised
of the possibility of such damages, rising out of the use of or inability to use the sample script,
even if Microsoft has been advised of the possibility of such damages.
#>
## Script Options and Parameters
#Requires -version 3
#Requires -modules ActiveDirectory,GroupPolicy
#Define and validate parameters
[CmdletBinding()]
Param(
#The target domain
[parameter(Mandatory=$True,Position=1)]
[ValidateScript({Get-ADDomain $_})]
[String]$Domain,
#The backup folder
[parameter(Mandatory=$True,Position=2)]
[ValidateScript({Test-Path $_})]
[String]$BackupFolder,
#Whether to create a migration table
[Switch]
$MigTable
#Set strict mode to identify typographical errors (uncomment whilst editing script)
#Set-StrictMode -version Latest
## Main
##BACKUP FOLDER DETAILS
#Create a variable to represent a new backup folder
#(constructing the report name from date details and the supplied backup folder)
$Date = Get-Date
$SubBackupFolder = "$BackupFolder\" + `
"$($Date.Year)_" + `
"$("{0:D2}" -f $Date.Month)_" + `
"$("{0:D2}" -f $Date.Day)_" + `
"$("{0:D2}" -f $Date.Hour)" + `
"$("{0:D2}" -f $Date.Minute)" + `
"$("{0:D2}" -f $Date.Second)"
##BACKUP ALL GPOs
#Create the backup folder
New-Item -ItemType Directory -Path $SubBackupFolder | Out-Null
#Make sure the backup folder has been created
If (Test-Path -Path $SubBackupFolder) {
#Connect to the supplied domain
$TargetDomain = Get-ADDomain $Domain
#Obtain the domain FQDN
$DomainFQDN = $TargetDomain.DNSRoot
#Obtain the domain DN
$DomainDN = $TargetDomain.DistinguishedName
#Backup all the GPOs found in the domain
$Backups = Backup-GPO -All -Path $SubBackupFolder -Domain $DomainFQDN -Comment "Scripted backup created by $env:userdomain\$env:username on $(Get-Date -format d)"
#Instantiate an object for Group Policy Management (GPMC required)
Try {
$GPM = New-Object -ComObject GPMgmt.GPM
} #End of Try...
Catch {
#Display exit message to console
$Message = "ERROR: Unable to connect to GPMC. Please check that it is installed."
Write-Host
Write-Error $Message
#Exit the script
Exit 1
} #End of Catch...
#Import the GPM API constants
$Constants = $GPM.getConstants()
#Connect to the supplied domain
$GpmDomain = $GPM.GetDomain($DomainFQDN,$Null,$Constants.UseAnyDc)
##COLLECT SPECIFIC GPO INFORMATION
#Loop through each backed-up GPO
ForEach ($Backup in $Backups) {
#Get the GPO GUID for our target GPO
$GpoGuid = $Backup.GpoId
#Get the backup GUID for our target GPO
$BackupGuid = $Backup.Id
#Instantiate an object for the relevant GPO using GPM
$GPO = $GpmDomain.GetGPO("{$GpoGuid}")
#Get the GPO DisplayName property
$GpoName = $GPO.DisplayName
##Retrieve SOM Information
#Create a GPM search criteria object
$GpmSearchCriteria = $GPM.CreateSearchCriteria()
#Configure search critera for SOM links against a GPO
$GpmSearchCriteria.Add($Constants.SearchPropertySOMLinks,$Constants.SearchOpContains,$GPO)
#Perform the search
$SOMs = $GpmDomain.SearchSOMs($GpmSearchCriteria)
#Empty the SomPath variable
$SomInfo = $Null
#Loop through any SOMs returned and write them to a variable
ForEach ($SOM in $SOMs) {
#Capture the SOM Distinguished Name
$SomDN = $SOM.Path
#Capture Block Inheritance state
$SomInheritance = $SOM.GPOInheritanceBlocked
#Get GPO Link information for the SOM
$GpoLinks = (Get-GPInheritance -Target $SomDN).GpoLinks
#Loop through the GPO Link information and match info that relates to our current GPO
ForEach ($GpoLink in $GpoLinks) {
If ($GpoLink.DisplayName -eq $GpoName) {
#Capture the GPO link status
$LinkEnabled = $GpoLink.Enabled
#Capture the GPO precedence order
$LinkOrder = $GpoLink.Order
#Capture Enforced state
$LinkEnforced = $GpoLink.Enforced
} #End of If ($GpoLink.DisplayName -eq $GpoName)
} #End of ForEach ($GpoLink in $GpoLinks)
#Append the SOM DN, link status, link order and Block Inheritance info to $SomInfo
[Array]$SomInfo += "$SomDN`:$SomInheritance`:$LinkEnabled`:$LinkOrder`:$LinkEnforced"
} #End of ForEach ($SOM in $SOMs)...
##Obtain WMI Filter path using Get-GPO
$WmiFilter = (Get-GPO -Guid $GpoGuid).WMiFilter.Path
#Split the value down and use the ID portion of the array
$WMiFilter = ($WmiFilter -split "`"")[1]
#Add selected GPO properties to a custom GPO object
$GpoInfo = [PSCustomObject]@{
BackupGuid = $BackupGuid
Name = $GpoName
GpoGuid = $GpoGuid
SOMs = $SomInfo
DomainDN = $DomainDN
WmiFilter = $WmiFilter
} #End of $Properties...
#Add our new object to an array
[Array]$TotalGPOs += $GpoInfo
} #End of ForEach ($Backup in $Backups)...
##BACKUP WMI FILTERS
#Connect to the Active Directory to get details of the WMI filters
$WmiFilters = Get-ADObject -Filter 'objectClass -eq "msWMI-Som"' `
-Properties msWMI-Author, msWMI-ID, msWMI-Name, msWMI-Parm1, msWMI-Parm2 `
-ErrorAction SilentlyContinue
##CREATE REPORT FILES
##XML reports
#Create a variable for the XML file representing custom information about the backed up GPOs
$CustomGpoXML = "$SubBackupFolder\GpoDetails.xml"
#Export our array of custom GPO objects to XML so they can be easily re-imported as objects
$TotalGPOs | Export-Clixml -Path $CustomGpoXML
#If $WMIFilters contains objects write these to an XML file
If ($WmiFilters) {
#Create a variable for the XML file representing the WMI filters
$WmiXML = "$SubBackupFolder\WmiFilters.xml"
#Export our array of WMI filters to XML so they can be easily re-imported as objects
$WmiFilters | Export-Clixml -Path $WmiXML
} #End of If ($WmiFilters)
##CSV report
#Create a variable for the CSV file that will contain the SOM (Scope of Management) information for each backed-up GPO
$SOMReportCSV = "$SubBackupFolder\GpoInformation.csv"
#Now, let's create the CSV report
ForEach ($CustomGPO in $TotalGPOs) {
#Start constructing the CSV file line entry for the current GPO
$CSVLine = "`"$($CustomGPO.Name)`",`"{$($CustomGPO.GPOGuid)}`","
#Expand the SOMs property of the current object
$CustomSOMs = $CustomGPO.SOMs
#Loop through any SOMs returned
ForEach ($CustomSOM in $CustomSOMs) {
#Append the SOM path to our CSV line
$CSVLine += "`"$CustomSOM`","
} #End of ForEach ($CustomSOM in $CustomSOMs)...
#Write the newly constructed CSV line to the report
Add-Content -Path $SOMReportCSV -Value $CSVLine
} #End of ForEach ($CustomGPO in $TotalGPOs)...
##MIGTABLE
#Check whether a migration table should be created
If ($MigTable) {
#Create a variable for the migration table
$MigrationFile = "$SubBackupFolder\MigrationTable.migtable"
#Create a migration table
$MigrationTable = $GPM.CreateMigrationTable()
#Connect to the backup directory
$GpmBackupDir = $GPM.GetBackUpDir($SubBackupFolder)
#Reset the GPM search criterea
$GpmSearchCriteria = $GPM.CreateSearchCriteria()
#Configure search critera for the most recent backup
$GpmSearchCriteria.Add($Constants.SearchPropertyBackupMostRecent,$Constants.SearchOpEquals,$True)
#Get GPO information
$BackedUpGPOs = $GpmBackupDir.SearchBackups($GpmSearchCriteria)
#Add the information to our migration table
ForEach ($BackedUpGPO in $BackedUpGPOs) {
$MigrationTable.Add($Constants.ProcessSecurity,$BackedUpGPO)
} #End of ForEach ($BackedUpGPO in $BackedUpGPOs)...
#Save the migration table
$MigrationTable.Save($MigrationFile)
} #End of If ($MigTable)...
} #End of If (Test-Path $SubBackupFolder)...

Similar Messages

  • I want to give my old Time Capsule to someone to use but I don't want them to have access to our old backups.  How can this be done?

    I just upgraded my 1st generation Time Capsule to the latest model.  I'd like to re-purpose my old one and offer it to someone in my family.  How can I do this and yet not allow them to access our old backup copies?

    Erasing a AirPort Time Capsule disk
    Use the current version of AirPort Utility to erase a AirPort Time Capsule disk.
    To erase a AirPort Time Capsule disk, use the following steps:
    Open AirPort Utility; it is located in /Applications/Utilities.
    Click the Disks tab.
    Select the AirPort Time Capsule disk.
    Click the Erase... button.
    Give the volume a name and choose the desired erase mode.
    http://support.apple.com/kb/ht4522

  • Issues with Backup-GPO Scheduled Task as a non-admin account

    I'm having an issue trying to get a daily backup of domain GPO's from a non-administrative account. I'm using Powershell 2.0, the Backup-GPO cmdlet runs fine as a standard user, but when I run the same cmdlet with the same user, but with a scheduled task,
    the backup does not produce valid output. The command I run is:
    [batch file called by scheduled task]
    powershell.exe d:\loj\psps.ps1
    [psps.ps1]
    import-module grouppolicy
    backup-gpo -all -path d:\loj
    The specific problem is, all other files created by the backup are created successfully except the 'gpreport.xml' file found directly under the folder identified by the backup ID. All of the subdirectories under DomainSysvol\GPO contain xml files with the
    appropriate data, and the Backup.xml and bkupInfo.xml files are also created normally. The manifest.xml file is also created normally in the root directory.
    The gpreport.xml file however is malformed. It contains only two bytes of data, FF FE.
    The reason this is a problem is that the xml in the gpreport file can be used to restore whether the GPO is 'enforced' and also contains link data. Using this when restoring the GPO's makes the process a lot less painful.
    Running the batch file while logged in interactively as the user removes the problem, without making them an administrator.
    I've been using a test domain to investigate this, I tried adding the user in question to every local group except administrators, gave it full control to the destination folder for backups, the powershell executable, batch and ps1 files. Resultant set of
    policy access has been granted (rsop.msc run-as the user tested fine). The scheduled task stores credentials (needs to run when the user is not already logged in) and runs with the highest privileges.
    The only possibly related error I could find in the logs was this:
    This error goes away if enough group memberships are added to the account or alternatively if this string is added to the security descriptor for the LanManServer service: (A;;GA;;;S-1-5-21-1191697313-1384311512-914143962-35706), which just adds
    generic all to this account by referencing the SID. However, despite the fact that the error is no longer raised, the issue with the gpreport.xml file remains.
    Does anyone have any ideas on why this is happening? At this point my best guess is something UAC related, since the gpreport.xml file is created like normal if the user is made an administrator on the local machine (I'd rather not do that in production).

    Hi Fergubru,
    Thanks for your posting.
    To troubleshoot Task scheduled that a task ran, but the program that should have been executed did not run correctly.
    As AZ said above, some programs require elevated privileges to run correctly.  If a task is running a program that requires elevated privileges, ensure that the task runs with the highest privileges. You can set a task to run with the highest privileges
    by changing the task's security options on the General tab of the Task Properties dialog box.
    If a task program does not run correctly, check the history of the task for errors. For more information, see
    View Task Properties and History.
    For the Event ID 4656, this is an Audit log, This event will be Audit Success or Audit Failure depending on whether the user account under which the account is running has the requested permissions or not. 
    For more detailed information about Event ID 4656, please refer to this article:
    http://www.ultimatewindowssecurity.com/securitylog/encyclopedia/event.aspx?eventid=4656
    I hope this helps.
    We
    are trying to better understand customer views on social support experience, so your participation in this
    interview project would be greatly appreciated if you have time.
    Thanks for helping make community forums a great place.

  • I'm about to upgrade to Lion on my Mac soon and would like to make a backup of all my bookmarks, passwords and other settings in firefox to be able to make a clean install of the new OS, how do I do that?

    Well, Ihave a lot of passwords for different sites that Firefox keep track of so that I don't have to remember them all when I need to log in on these webpages. Also I have a lot of bookmarks. How do I make a backup of all of this data so that I can make a clean install of the new Lion, install Firefox 5 and then use this backup to return Firefox to the same level as before? Also, I want to be able to have a backup file of all this in case of a crash. Is this possible, and if not maybe a function for the future?

    http://support.mozilla.com/en-US/kb/Backing+up+your+information

  • Backup-GPO cmdlet errors in Task Scheduler

    I have scheduled a simple script on my Windows Server 2012 domain controller to backup my group policies (separate from the System State backup). I ran the script manually, and it works as expected. I scheduled the script in Task Scheduler using a service
    acct with domain admin privileges. Due to our domain policy settings, I had to select the "Do not store password" option on the job, otherwise the usual error regarding "no session" is presented. This means I have access to local resources
    only (on the DC).
    I also right-clicked the job and selected "run" and the job executes properly. However, when the job kicked off at the scheduled time on its own, it only ran partially. The date stamped backup folder was created, and it contained a partial "manifest.xml"
    file which is created at every backup. The manifest only has the header in it, no other content such as GPO names and GUIDs.
    In the Powershell transcript output, it generates an error when the Backup-GPO cmdlet runs:
    Backup-Gpo : The system cannot open the device or file specified. (Exception from HRESULT: 0x8007006E)
    The command is:
    Backup-Gpo -All -Path $backup_dir\$date_stamp
    And yes, I have selected to run the job without the user being logged in. Is it possible to backup domain GPOs without the credentials cached in the job? Are the GPOs considered a "local resource" on the domain controller?

    Anna,
    You are correct, if I disable that policy setting that I do not need to select "Do not store password" and the job runs fine.
    However, the PowerShell script does run with the "Do not store password" option checked, it just normally fails when trying to access the policies to backup with a seemingly random error depending on the domain controller.  Then, after 3 days of failures,
    I checked this morning and it had run fine on two of three domain controllers. No changes to policy or the script or the job. It isn't cut and dried as to why it works or doesn't work.
    I guess what I am ultimately looking for is a better description of what resources are still available using that setting ("Do not store password"); are ADDS related commands considered local resources on domain controllers, or do you always need a cached
    credential?
    Jim

  • HT201318 I upgraded my iCloud storage capacity for a higher tier and the device does not actually reflects said upgrade. How can this be resolved since my credit card was charged

    I upgraded my Icloud storage capacity to a higher tier and my Iphone does not reflect the change although my credit card was charged and the device is nor properly backup. How can this be resolved?

    It seems to take up to a couple of days for the upgrade to take hold, at least that's the experience of some users.  Give it 24 hours before contacting apple.
    For customer service issues, go here...
    https://expresslane.apple.com/Issues.action

  • HT1212 Hi, one of my daughters friends tried to access her ipod causing it to become disabled; i do not want her to lose all her photos, she accesses my itunes account which is on ICLOUD, will she lose all her data - can this be fixed?

    Hi, one of my daughters friends tried to access her ipod causing it to become disabled; i do not want her to lose all her photos, she accesses my itunes account which is on ICLOUD, will she lose all her data - can this be fixed? I do not think it has been synced with a computer before.

    Disabled
    If you previously synced to the computer then you may be able to recover use of the iPod without erasing the iPod by following the instructions here:
    Disabled Recovery-must use syncing computer.
    Otherwise y will have to restore and thus erase the iPod
    You can restore from backup
    If not in backup then:
    - If you used PhotoStream then try getting them from your PhotoStream. See that topic of:
    iOS: Importing personal photos and videos from iOS devices to your computer
    - Maybe from the restored iPod via How to perform iPad recovery for photos, videos
    Wondershare Dr.Fone for iOS: iPhone Data Recovery - Wondershare Official     
    http://www.amacsoft.com/ipod-data-recovery.html
    -iPod touch Deleted Photo Recovery Tips You Should Know
    Place the iOS device in Recovery Mode and then connect to your computer and restore via iTunes. The iPod will be erased.
    iOS: Wrong passcode results in red disabled screen                         
    If recovery mode does not work try DFU mode.                        
    How to put iPod touch / iPhone into DFU mode « Karthik's scribblings        
    For how to restore:
    iTunes: Restoring iOS software
    To restore from backup see:
    iOS: Back up and restore your iOS device with iCloud or iTunes
    If you restore from iCloud backup the apps will be automatically downloaded. If you restore from iTunes backup the apps and music have to be in the iTunes library since synced media like apps and music are not included in the backup of the iOS device that iTunes makes.
    You can redownload most iTunes purchases by:
    Downloading past purchases from the App Store, iBookstore, and iTunes Store        
    If problem what happens or does not happen and when in the instructions? When you successfully get the iPod in recovery mode and connect to computer iTunes should say it found an iPod in recovery mode.
    If you previously synced to the computer then you may be able to recover use of the iPod without erasing the iPod by following the instructions here:
    Disabled Recovery-must use syncing computer.

  • How can we take backup of all the RDL'S existing at Report server dynamically at one time

    How can we take backup of all the RDL'S existing at Report server dynamically at one time ? I want to take backup of all the reports existing at the report server dynamically at one time only. currently I'm able to take backup of the reports folder wise
    using VBScript. and I have to pass the folder names again and again. I want this to be happened for all the reports of all the folders at single shot only using VBScript.

    Hi DineshRemash,
    Based on my research, we can store the following VB Script to a text file, then modify the file name extension from .txt to .rss.
    Dim rootPath As String = "C:\Reports"
    Sub Main()
    Dim items As CatalogItem() = _
    rs.ListChildren("/", true)
    For Each item As CatalogItem in items
    If item.Type = ItemTypeEnum.Folder Then
    CreateDirectory(item.Path)
    Else If item.Type = ItemTypeEnum.Report Then
    SaveReport(item.Path)
    End If
    Next
    End Sub
    Sub CreateDirectory(path As String)
    path = GetLocalPath(path)
    System.IO.Directory.CreateDirectory(path)
    End Sub
    Sub SaveReport(reportName As String)
    Dim reportDefinition As Byte()
    Dim document As New System.Xml.XmlDocument()
    reportDefinition = rs.GetReportDefinition(reportName)
    Dim stream As New MemoryStream(reportDefinition)
    document.Load(stream)
    document.Save(GetLocalPath(reportName) + ".rdl")
    End Sub
    Function GetLocalPath(rsPath As String) As String
    Return rootPath + rsPath.Replace("/", "\")
    End Function
    Then navigate to the folder contains the script, we can directly run the below command from the run menu:
    rs -s
    http://aa/ ReportServer -i download.rss
    We can modify the rootpath to point at whaterver fold you’d like to download the RDL files.
    Hope this helps.
    Thanks,
    Katherine Xiong
    Katherine Xiong
    TechNet Community Support

  • Time Machine deleted ALL my backups prior to 4AM this morning.

    I had been using time machine and time machine editor to backup once a day at 4am. Somehow this morning instead of a normal backup it received an 'unknown instruction' and thought that there was no more room on the disk partition. Actually as of yesterday there was a huge amount of room compared with what it had been using.
    When I looked in the TM folder it showed that my backup drive and edrive had been backed up every hour since 4am, so it's no wonder that it ran out of room. I looked in the console's system log and this is what seemed Germain:
    Aug 5 04:00:24 Macintosh-2 /System/Library/CoreServices/backupd[1865]: Starting standard backup
    Aug 5 04:00:32 Macintosh-2 /System/Library/CoreServices/backupd[1865]: Backing up to: /Volumes/TimeMachine/Backups.backupdb
    Aug 5 04:00:32 Macintosh-2 /System/Library/CoreServices/backupd[1865]: Ownership is disabled on the backup destination volume. Enabling.
    Aug 5 04:00:32 Macintosh-2 KernelEventAgent[63]: tid 00000000 received unknown event (256)
    Aug 5 04:05:29 Macintosh-2 /System/Library/CoreServices/backupd[1865]: Starting pre-backup thinning: 30.75 GB requested (including padding), 4.80 GB available
    Aug 5 04:05:29 Macintosh-2 /System/Library/CoreServices/backupd[1865]: No expired backups exist - deleting oldest backups to make room
    Aug 5 04:06:13 Macintosh-2 /System/Library/CoreServices/backupd[1865]: Deleted backup /Volumes/TimeMachine/Backups.backupdb/Office-omputer /2008-07-07-041140: 4.90 GB now available
    My questions are these:
    1. What the heck was the 'unknown event' that screwed everything up and lost all my b/u's since april?
    2. How do I delete the copies of emachine and the b/u drive from TM? They take up far to much room and were never backed up before 4am today. Do I have to remove TM entirely and reinstall?
    3. Is it possible to recover the backups that were deleted?
    Is TM really this sensitive to random bits flowing around the system? And if so what good is relying on a backup system that can be wiped out by a random and unknown bit or series of them?

    I had been using time machine and time machine editor to backup once a day at 4am. Somehow this morning instead of a normal backup it received an 'unknown instruction' and thought that there was no more room on the disk partition. Actually as of yesterday there was a huge amount of room compared with what it had been using.
    When I looked in the TM folder it showed that my backup drive and edrive had been backed up every hour since 4am, so it's no wonder that it ran out of room. I looked in the console's system log and this is what seemed Germain:
    Aug 5 04:00:24 Macintosh-2 /System/Library/CoreServices/backupd[1865]: Starting standard backup
    Aug 5 04:00:32 Macintosh-2 /System/Library/CoreServices/backupd[1865]: Backing up to: /Volumes/TimeMachine/Backups.backupdb
    Aug 5 04:00:32 Macintosh-2 /System/Library/CoreServices/backupd[1865]: Ownership is disabled on the backup destination volume. Enabling.
    Aug 5 04:00:32 Macintosh-2 KernelEventAgent[63]: tid 00000000 received unknown event (256)
    Aug 5 04:05:29 Macintosh-2 /System/Library/CoreServices/backupd[1865]: Starting pre-backup thinning: 30.75 GB requested (including padding), 4.80 GB available
    Aug 5 04:05:29 Macintosh-2 /System/Library/CoreServices/backupd[1865]: No expired backups exist - deleting oldest backups to make room
    Aug 5 04:06:13 Macintosh-2 /System/Library/CoreServices/backupd[1865]: Deleted backup /Volumes/TimeMachine/Backups.backupdb/Office-omputer /2008-07-07-041140: 4.90 GB now available
    My questions are these:
    1. What the heck was the 'unknown event' that screwed everything up and lost all my b/u's since april?
    2. How do I delete the copies of emachine and the b/u drive from TM? They take up far to much room and were never backed up before 4am today. Do I have to remove TM entirely and reinstall?
    3. Is it possible to recover the backups that were deleted?
    Is TM really this sensitive to random bits flowing around the system? And if so what good is relying on a backup system that can be wiped out by a random and unknown bit or series of them?

  • My 2 TB Time Capsule's memory is full because it will not automatically delete old files as it is supposed to, so it is giving me zero backup of my two computers now.  How can this be fixed so my Time Capsule deletes the old data and saves the new?

    My 2 TB Time Capsule’s memory is full because it will notautomatically delete old files as it is supposed to, so it is giving me zerobackup of my two computers now. How can this be fixed so my Time Capsule deletes the old data and savesthe new?
    Neither my local computer consultant nor I have been ableto change any of the settings in Time Machine to correct this problem.  Working with the choices in the TimeMachine, there does not appear that there is any way to change the frequency ofthe backups either, so, after a year has elapsed, the time capsule is full, andmy only choice appears to be to erase all the current data on the Time Capsuleand start over, something that I do not want to at all let alone repeat on anannual basis.  My questions are:
    What can be done to have my Time Capsule delete old filesas it is supposed to do, so it has memory available to allow my computers toback up? 
    Is this a software problem that can be fixed online or isdoes this require a mechanical fix of defective hardware?

    How much data is being backed-up from each Mac?  (see what's shown for Estimated size of full backup under the exclusions box in Time Machine Prefs > Options).
    Is there any other data on your Time Capsule, besides the backups?
    Most likely, there just isn't room.  Time Machine may be trying to do a very large (or full) backup of one or both Macs, and can't.  Since it won't ever delete the most recent backup, there has to be enough room for one full backup plus whatever it's trying to back up now, plus 20% (for workspace).
    Also see #C4 in Time Machine - Troubleshooting for more details.

  • I just lost all recent updates to my iCal from the last days. Can this possibly happen ??? What can I do to restore iCal with the most recent updates?

    Hello All, yesterday afternoon I just lost all recent updates to my iCal from the last days. How can this possibly happen ??? It may have occured after I chose the Refresh function after I had problems searching my iCal for a particular event. I think my iPhone was also not properly synched in the morning but I didn't pay it much attention and opened iCal on my MacBookAir instead.
    How can I prevent this from happening again?
    What can I do to restore iCal with the most recent updates?

    Random glitch.  It doesn't matter; if you didn't backup the data, then you can't recover the data.
    In the future, for any 'important' data, back up that data regularly.  Forward the 'important' text messages to your email.  Trasnfer your photos & videos to your computer, etcetera.

  • Trying to choose iCloud backup on my new phone as I lost my previous one but it states"no iCloud backups are compatible with this version" therefore I can't set up my replacement phone! Any suggestions

    Trying to choose iCloud backup on my new phone as I lost my previous one but it states"no iCloud backups are compatible with this version" therefore I can't set up my replacement phone! Any suggestions

    You can't restore a backup that was made on a device running a more recent version of iOS.  If your replacement phone is running iOS 6.0.1 and the one you backed up was running 6.1.2, for example, you would have to update your replacement phone before you could restore to the backup.  If this is the case, update your phone by connecting it to your computer, and selecting Check for Update or Update on the Summary tab of your iTunes sync settings, update the phone and set it up as New.  Then go to Settings>General>Reset, tap Erase All Content and Settings, go through the setup screens again and choose Restore from iCloud Backup.  You should then be able to restore your backup.

  • If I erase all content and settings on device, can this be restored thru icloud

    If I erase all content and setting on device can this b restored thru iCloud

    What Mende says is true IF you have previously decided to back up to iCloud and not iTunes on your computer.
    Selecting a backup method: http://support.apple.com/kb/HT5262
    Backing up to iCloud: http://support.apple.com/kb/PH12520
    Restoring from iCloud: http://support.apple.com/kb/ph12521
    Restoring from computer: http://support.apple.com/kb/ht1414

  • I've lost all my contacts on my iphone 4S with iOS 6 and I haven't a backup. How can I restore them?

    I've lost all my contacts on my iphone 4S with iOS 6 and I haven't a backup. How can I restore them? I've also downloaded Dr.Fone but it doesn't works, it stops scanning on 99%! Thank you.

    You need to post this in the correct discussion if you want a reply:     Keynote iOS

  • I am trying to print all the PDF pages in a range of 5 pages but can only print one page at a time . . . It will print the current page, but not all or pages 1-5.  Can this be overcome?

    I am trying to print all the PDF pages in a range of 5 pages but can only print one page at a time . . . It will print the current page only, but not all or pages 1-5.  I need to go to the next subsequent page and command to print current page; continuing with this procedure until all pages are printed one at a time. Can this be overcome?

    You can use printPages(1, 5), however I need to know how you print current page.

Maybe you are looking for

  • PLZ help me error 4280

    i am trying to burn a cd but i keep getting this error 4280 i tried different CDs no use different software same thing here is my dianostics iTunes 7.0.2.16 CD Driver 2.0.6.1 CD Driver DLL 2.0.6.1 UpperFilters: GEARAspiWDM (2.0.6.1), Video Driver: NV

  • ITunes 9.2 and PDFs

    One of the main things I am excited about the 9.2 update is the fact that I can sync PDFs with my iPad and (future) iPhone 4. I already purchased multiple books through the iBookstore, but have quite a few PDFs that I already added to my iTunes libra

  • BW Basis related queries

    Hi, Two questions: 1)     There is an archive file in BW that is getting build up slowly but surely. The basis guys here have no idea of what and why. It is increasing 20-30% on a daily basis. 2)     The customer basis team fears that if we connect S

  • WCS11G - Start Menu Items for Admin interface?

    I'm looking into WCS 11G since I need to migrate a 7.5.5 site. As it looks now, code or structure won't be modified to better support features such as supporting the contributor interface better so a lot of our users will expect to use the admin inte

  • Frozen ipod, won't start up in itunes or in windows xp

    I've a 5th generation ipod which is frozen, and it won't start up in itunes, nor is it visible in windows.... can somebody pls tell me how I get it work again.. I've allready downloaded the latest version of itunes..