View all files that have not been opened for a while?

I'm trying to clean up my computer and make some space
Problem is I just have too many files folders and subfolders so going in and out of each folder will take way too long
So my question is
Is there a search method that will show me all the files that I haven't used or opened in a while so that I could just browse through those?

omsaj wrote:
Is there a search method that will show me all the files that I haven't used or opened in a while so that I could just browse through those?
Yep, sure is.
Download the free Easy Find (direct download)
https://s3.amazonaws.com/DTWebsiteSupport/download/freeware/easyfind/4.9/EasyFin d.app.zip
Now what your going to do is select your Home folder or a folder inside say Documents
Then your going to adjust your search settings on the left and use the letter "a" as the search term and click the search and let it rip, it will take some time.
Next click sort by the "Modified" date and you can then go about it
Repeat for the letter "e" "i" "o" "u"
Be careful, Easy Find also finds invisible and hidden files, and you dont' want to delete the iPhoto Libray or anything in the hidden Users/Library folder.
Perhaps you should create a backup first, then later on if you made a mistake you can recover
Most commonly used backup methods

Similar Messages

  • How can I see in my address book all contaacts that have not been placed into groups?

    How can I see in my address book the contacts that have not been put into groups?

    The best way to do that is create a new "smart group" with the following:
    This way you can identify those without a group and drag them to one.
    Regards,
    Captfred

  • List AD accounts that have not been used for months?

    Hello,
    I use oldcmp.exe to show me what computers have not been used for months and I can disable them, but I wish to do the same for users Active Directory accounts, is this possible?
    We use AD 2003
    Thanks

    sorry for slightly belated reply. I've used another version of this script that doesn't have the GUI interface on it, this will make it easier for you to run from a scheduled task.
    copy the code and make the relevant changes to the top section of the script as the comments explain. This will send and email with a link to the report generated.
    #Script designed to search AD for inactive user accounts, mark them as inactive and move them to a specific OU then disable them
    #Script can be run in the following formats
    # 1. Report only
    # 2. Report and move account
    # 3. Report, move and disable
    #Uses quest powershell tools which can be downloaded from http://www.quest.com/powershell/activeroles-server.aspx
    #Version 2.0
    #Added email functionality
    #Denis Cooper
    #Setup script Variables
    #Change the setting from True to false to alter the way the script runs (only one option can be true)
    $ReportOnly = "True" #Generates a CSV file showing all inactive user accounts
    $ReportandMove = "False" #Generates a CSV report, moves the users to a specific OU
    $ReportMoveDisable = "False" #Generates a CSV report, moves the users to specific OU, and sets the description
    #Set the period of inactivity in days
    $InactiveFor = "90"
    #Specify the OU to search for inactive users - us AD CN if searching enire AD
    $SourceOU = "OU=Users,DC=MyDomain,DC=Int"
    #Specify the destination OU to move inactive users to is using report and move or report move disable script options
    $DestinationOU = "OU=Inactive Users,DC=MyDomain,DC=Int"
    #Don't mark anyone with the the specified prefix in the description field to inactive - DND stands for Do Not Disable and is specified
    #in the users account description field for accounts which may not be used to login so will show as inactive but that you don't want to disable
    #must leave the * after the word for wildcard matching
    $DescriptionPrefix = "DND*"
    #Specify the description to set in the computer account on ReportMoveDisable option
    $Description = "Account disabled due to inactivity on $Today"
    #Specify the path to create the csv file (make sure the folder exists)
    $ReportFile = "\\server\share\InactiveUsersReport.csv"
    #Get todays date and store it in the $today variable
    $Today = Get-Date
    #Email Settings
    $SMTPServer = "smtp-server-name" #replace this with your internal smtp server
    $FromAddress = "[email protected]" #replace this with your from address
    $ToAddress = "[email protected]" #replace this with your TO address
    $CCAddress = "[email protected]" #replace this with your TO address
    $Subject = "This is your subject line" #replace this with the subject line for the email
    $MessageContent = "
    Hello,
    Please find a link to the latest report containing users that have been inactive for $inactivefor days
    $ReportFile
    Please take the appropriate action.
    Thanks you,
    IT
    #NO CHANGES BELOW THIS LINE
    Function SendEmail {
    $messageParameters = @{
    Subject = $subject
    Body = $messagecontent
    From = $fromaddress
    TO = $ToAddress
    CC = $CCAddress
    SmtpServer = $SMTPServer
    Send-MailMessage @messageParameters
    #Generates a report showing inactive users
    Function ReportOnly {
    $inactiveUsers | Export-Csv $ReportFile
    $count = $inactiveUsers.Count
    Write-Host -ForegroundColor White "$count inactive users were found and are being processed"
    SendEmail
    Invoke-Item $ReportFile
    #Generates report and moves accounts to desitnation OU
    Function ReportandMove {
    $inactiveUsers | Export-Csv $ReportFile
    $count = $inactiveUsers.Count
    Write-Host -ForegroundColor White "$count inactive users were found and are being processed"
    Invoke-Item $ReportFile
    $inactiveUsers | foreach {
    Move-QADObject $_ -NewParentContainer $DestinationOU
    #Generates report, moves accounts to destination OU, disables the account and sets the description
    Function ReportMoveDisable {
    $inactiveUsers | Export-Csv $ReportFile
    $count = $inactiveUsers.Count
    Write-Host -ForegroundColor White "$count inactive users were found and are being processed"
    Invoke-Item $ReportFile
    $inactiveUsers | foreach {
    Disable-QADUser $_
    Set-QADUser $_ -Description $Description
    Move-QADObject $_ -NewParentContainer $DestinationOU
    #Runs the script
    #Finds all inactive user accounts which are in an enabled state and store them in the variable $inactiveusers
    $inactiveUsers = Get-QADUser -SizeLimit 0 -SearchRoot $sourceOu -NotLoggedOnFor $InactiveFor -Enabled | Where-Object {$_.description -notlike $DescriptionPrefix}
    #Checks which script to run
    If (($ReportONly -eq "True") -and ($ReportandMove -eq "True" -or $ReportMoveDisable -eq "True")) {
    Write-Host -ForegroundColor RED "Only one run condition is allowed, please set only one run value to True and the others to false"
    Break
    If ($ReportONly -ne "True" -and $ReportandMove -ne "True" -and $ReportMoveDisable -ne "True") {
    Write-Host -ForegroundColor RED "No valid run condition was specified, please set only one run value to True and the others to false"
    Break
    If ($ReportONly -eq "True") {
    Write-Host -Foregroundcolor Green "Script running in report only mode."
    Write-Host -Foregroundcolor Green "Checking for accounts inactive for $inactivefor days in the OU $SourceOU"
    Write-Host -Foregroundcolor Green "The report will open automatically once complete, or you can find it here $ReportFile"
    ReportOnly
    If ($ReportandMove -eq "True") {
    Write-Host -Foregroundcolor Green "Script running in report and move mode."
    Write-Host -Foregroundcolor Green "Checking for accounts inactive for $inactivefor days in the OU $SourceOU"
    Write-Host -Foregroundcolor Green "The report will open automatically once complete, or you can find it here $ReportFile"
    Write-Host -ForegroundColor Green "Any inactive accounts will be moved to this OU $destinationOU"
    ReportAndMove
    If ($ReportMoveDisable -eq "True") {
    Write-Host -Foregroundcolor Green "Script running in report, move and disable mode."
    Write-Host -Foregroundcolor Green "Checking for accounts inactive for $inactivefor days in the OU $SourceOU"
    Write-Host -Foregroundcolor Green "The report will open automatically once complete, or you can find it here $ReportFile"
    Write-Host -ForegroundColor Green "Any inactive accounts will be moved to this OU $destinationOU and disabled and their description updated"
    ReportMoveDisable
    This link should help you create a scheduled task to run the script
    http://dmitrysotnikov.wordpress.com/2011/02/03/how-to-schedule-a-powershell-script/
    Regards,
    Denis Cooper
    MCITP EA - MCT
    Help keep the forums tidy, if this has helped please mark it as an answer
    My Blog
    LinkedIn:

  • Identify/expire Pages that have not been accessed for certain time

    Hi,
    I would like to create a publishing portal. Many users are able to create pages. I have the requirement that if a page does not get accessed for a certain time-period - it should be flagged for deletion and the creator should be notified by email.
    Expiration policies depend on creation/modification date. Does this work for the last-accessed time (whereever I get this information from) aswell?
    Sven 

    Use below powershell
    $outputPath = Read-Host “Outputpath (e.g. C:\output\UnusedSites.txt)”
    $lastDate=Read-Host “Last Accessed Date (in format mm/dd/yyyy)”
    $gc = Start-SPAssignment
    $site=$gc | get-spsite -Identity https://sitecollectionUrl
    foreach($web in $site.AllWebs)
    if ($web.LastItemModifiedDate -lt $lastDate)
    Write-Host -f Red “Site is old…” + $Web.Title
    Add-Content -Path $outputPath -Value “$($web.Title),$($web.ServerRelativeUrl),
    $($web.LastItemModifiedDate),$($web.Author)”
    else
    Write-Host -f Green “Site: [" + $web.Title + "] Last Modified Date: ” + $web.LastItemModifiedDate
    Stop-SPAssignment $gc
    Or
    plan to use this tool
    http://www.harepoint.com/Products/HarePointAnalyticsForSharepoint/FindOutdatedContentInSharePoint.aspx

  • I have a D7160 that have not been using for awhile. Get Error message: Oxc18a0206

    I have replaced the ink cartridges and tried all of the online troubleshooting ideas that I have found such as power off/power on. How do I get to the PC board to check the cmos battery? Any other ideas?

    TLDR
    But I did skim over some of it, and I see a big mistake repeated several times:
    "&" is the bitwise AND operator.
    "&&" is the logical AND operator.
    You've confused them, but you're using them in such a context that it's not a syntax error, so you're probably getting unexpected results. When used with booleans, it will probably work okay, although the operators will not be evaluated conditionally. But when used near ints, you've got a problem:
    Int examples:
    if (targetList.size() != 0 & inRangeList.size() != 0){
    if (actor.getX() == actorList.get(inRangeList.get(currentClosest)).getX() & actor.getY() == actorList.get(inRangeList.get(currentClosest)).getY() ){
    for (int i = 0;
                    i < inRangeList.size() &inRangeList.size() != 0;
                i++){
    if (actor.getX() == d.getWidth() & actor.getY() == d.getHeight()){
    Boolean examples:
    if (brainState.getFoodLocationFound() & actorFound){
    else if (brainState.getNestLocationFound() & actorFound){           
    else if(brainState.getFoodLocationFound() & !actorFound){Also, avoid declaring variables named "l".
    Some of those while() loops would be better rewritten as for() loops so that the loop variable will be limited in scope to the loop.

  • Can you close Material Codes/Groups which have not been used for a while?

    Is it possible to close material codes/groups when they are no longer required? This would be similar to putting a date on Cost Centres in finance which then restrict the availability of use.

    before putting deletion flag please be sure the stock in those material is ZERO
    now rather than using MM06 use
    WSE1
    here you can block n put deletion flag for material
    and to remove deletion flag use
    WSE8

  • [SOLVED] rsync updating files that have not changed

    I am trying to setup a backup system for my laptop.  I have a USB hard drive (FAT formatted because I need to backup my wifes Windows laptop too).  However, rsync keeps updating files that have not been touched in anyway between backups.  In fact if I run my backup script twice in a row without otherwise using my computer, some files still get rewritten.
    The rsync command I am using is:
    rsync --force --ignore-errors -rv --delete 
    Any ideas why this is happening.  I removed the options to preserve time, permissions etc because FAT does not support this.
    Edit:  It turns out the advise I read on the internet is wrong and FAT can have time preserved.  This fixed the problem
    Last edited by Allan (2007-08-20 13:34:36)

    I am trying to setup a backup system for my laptop.  I have a USB hard drive (FAT formatted because I need to backup my wifes Windows laptop too).  However, rsync keeps updating files that have not been touched in anyway between backups.  In fact if I run my backup script twice in a row without otherwise using my computer, some files still get rewritten.
    The rsync command I am using is:
    rsync --force --ignore-errors -rv --delete 
    Any ideas why this is happening.  I removed the options to preserve time, permissions etc because FAT does not support this.
    Edit:  It turns out the advise I read on the internet is wrong and FAT can have time preserved.  This fixed the problem
    Last edited by Allan (2007-08-20 13:34:36)

  • Whenever I try to open iPhoto, a message comes up saying that 148 photos have been found in the iPhoto Library that have not been imported. It asks me if I want to import them and I say NO but then it places them in a recovered photo folder. I keep deleti

    Whenever I try to open iPhoto, a message comes up saying that 148 photos have been found in the iPhoto Library that have not been imported. It asks me if I want to import them and I say NO but then it places them in a recovered photo folder. I keep deleting the empty recovered photo files but it just keeps asking me every time I go to open iPhoto! I'd love to just get rid of the "found" photos (I can't open them anyway!)
    How do I get rid of them so that I can just open iPhoto straight up without this?
    Linda

    Open your iPhoto Library package with the Finder.
    Click to view full size
    look for a folder titled Import or Importing and move it to the Desktop. Launch iPhoto to see if the message goes away.  If there is no message  check the contents of the Import folder to see if you want to keep any of those image files (usually they have not been imported into iPhoto). If you want to keep them then drag the folder into the open iPhoto window to import.
    OT

  • How do I find all the purchased items on my iPhone? When I try to update the iPhone iOS while connected to my MacBook it says there are purchased items on the phone that have not been transferred to my iTunes library and that I should transfer them.

    How do I find all the purchased items on my iPhone? When I try to update the iPhone iOS while connected to my MacBook it says there are purchased items on the phone that have not been transferred to my iTunes library and that I should transfer them before updating.

    Thanks. This seems to have worked easily.

  • I have 3 PC's.  Two of them I use at 2 different locations and only use them 6 months a year.  So, if I have Icloud for my calendar, and turn on a computer that has not been used for 6 months, does all the old information on that computer to go Icloud?

    I have 3 PC's.  Two of them I use at 2 different locations and only use them 6 months each year.  When I turn on a computer that has not been used for 6 months, does all of the old information from that computer end up in Icloud?  Does Icloud push all the new calendar and contact items over the old items?

    A reset may help. Tap and hold the Home button and the On/Off buttons for approximately 10-15 seconds, until the Apple logo reappears. When the logo appears, release both buttons.
    No content is affected by this procedure.

  • Every time I open iPhoto a window opens telling me that there are 3 photos that have not been imported. Recovered folders are opened with no photos and I cannot find which photos have not been imported. Help please!

    Every time I open iPhoto a window opens telling me that there are 3 photos that have not been imported. This happens twice. When I answer yes then nothing happens and if I answer no then a recovered folder is opened with no photos in it. These recoverable folders keep opening with no photos in them. I cannot find which photos have not been imported. Can anyone assist please?

    Go to your Pictures Folder and find the iPhoto Library there. Right (or Control-) Click on the icon and select 'Show Package Contents'. A finder window will open with the Library exposed.
    Look there for a Folder called 'Import' or 'Importing'.
    Drag it to the Desktop. *Make no other changes*.
    Start iPhoto. Does that help?
    If it does then look inside that folder on your desktop. Does it contain anything you want? If not you can trash the folder.

  • HT1338 I am trying to upgrade my iPhone via my macbook but the messageThere are purchased items on the iPhone "Mark Price's iPhone" that have not been transferred to your iTunes library. You should transfer these items to your iTunes library before updati

    Good morning
    I am trying to upgrade my iPhone via my macbook but the following message keeps coming up and the download does not work
    "There are purchased items on the iPhone “Mark Price’s iPhone” that have not been transferred to your iTunes library. You should transfer these items to your iTunes library before updating this"
    Please advise how I can transfer these files, I am not sure what files are in question.
    I've only had the MacBook a couple of days, I am PC savvy but this is all new to me so please keep it as simple as possible. I am a brit based in Bahrain.
    Regards
    Mark Price

    okay I've done everything regarding the transfer process (via file>transfer purchases) and syncing, so everything on my iPhone device seems to have been transferred to my iMac... however, I still get that message ("There are purchased items on the iPhone..."), trying to upgrade the iOS Have tried several times the same process of hitting transfer purchases via file, but nothing seems to make that message go away! Would have been nice to know which files I actually do need to transfer, which I don't get any info on of course...
    Starting to get really annoying this thing.. Any smart suggestions what's going on?

  • There are purchased items on the iPhone "asingh's iPhone" that have not been transferred to your iTunes library. You should transfer these items to your iTunes library before updating this iPhone. Are you sure you want to continue?

    When I am trying to upgrade my iphone to IOS7.0.2 by connecting my my iphone and macbook, it shows "There are purchased items on the iPhone “asingh’s iPhone” that have not been transferred to your iTunes library. You should transfer these items to your iTunes library before updating this iPhone. Are you sure you want to continue? ".  I hit the same issue and lost a lot of apps from my iphone. Can someone help on how to resolve this issue? I can automatically upgrade my software on the iphone but how shall I resolve any future updates of "Apps"?

    I appreciate the answer, but what you describe is not entirely accurate.  First, to even see view, you have to enable the menu by clicking on the icon in the upper left.  View allows you to show the sidebar.
    Second, you will NOT see your devise listed in sidebar or anywhere else.  Instead, you have to click on "devise" from the sidebar menu, wait a minute, and then it will finally show up under "devise."   Or maybe it just takes a minute to show up whatever you do. 
    Third, right clicking on your devise will take you to a menu with "transfer my files" on it, but then iTunes will refuse to make the transfer.  Instead, it will tell you that <your apps> on your <devise> could not be transferred to iTunes "because you are not authorized for it on your computer."  Apple unhelpfully suggests going to store> authorize this computer.  There is a "store" menu item on the sidebar, but it has no "authorize this computer" sub-menu.  Instead, go to the horizontal menu at the upper left, and THERE you will find "store" and the "authorize this computer" sub-menu.  Now you can transfer your files, to who knows where.
    My iPhone 5 is my first Apple devise. So far my experience has been, to do A, which must be done right now, you must first do B.  To do B you must first do C, which is unexplained save in answers in user forums.  To do C you must first do D, which, after several hours of research and puzzle solving, can eventually be done.

  • Accounts that have not been logged into for more than 90 days

    Hi Folks,
    Good Day.
    Can anyone help me to update below powershel script?
    below script find in my domain all the AD users accounts that have not been logged into for more than 90 days and export the report to .csv file. in addition what I want:
    1. OU=Others, Sales --> exclude this OUs
    2. Disable all the user based on 90 days export report .csv file 
    import-module activedirectory 
    $domain = "test.com" 
    $DaysInactive = 90 
    $time = (Get-Date).Adddays(-($DaysInactive))
    $timer = (Get-Date -Format yyyy-mm-dd)
    # Get all AD User with lastLogonTimestamp less than our time and set to enable
    Get-ADUser -Filter {LastLogonTimeStamp -lt $time -and enabled -eq $true} -Properties LastLogonTimeStamp |
    # Output Name and lastLogonTimestamp into CSV
    select-object givenname,Name,@{Name="Stamp"; Expression={[DateTime]::FromFileTime($_.lastLogonTimestamp).ToString('dd-MM-yyyy_hh:mm:ss')}} | Export-Csv c:\temp\90DaysInactive-$(Get-Date -format dd-MM-yyyy).csv –NoTypeInformation
    Many thanks for advance Help:

    Hi Anna,
    Good Day.
    Many thanks for your responce.
    with your help i can manage to exclude the OUs as wellas can get the .csv report via mail.
    Now i want to disable all the user based on 90 days export report .csv file.
    could you help me on this please? the report will come everyday like below:
    filename=90DaysInactive-dd-mm-yyyy.csv
    sample output:
    Given name User Name
    Last LogOn
    Test User1 user1
    03-10-2006_05:30:59
    Test User2 user2
    02-10-2006_12:00:34
    import-module activedirectory 
    $domain = "test.com" 
    $DaysInactive = 1 
    $time = (Get-Date).Adddays(-($DaysInactive))
    $timer = (Get-Date -Format yyyy-mm-dd)
    $FileName="c:\temp\90DaysInactive-$(Get-Date -format dd-MM-yyyy).csv"
    $from = "[email protected]"
    $to = "[email protected]"
    $smtpHost = "smtpservername"
    $Subject = "90 Days Inactive Accounts"
    $body = "90 Days Inactive Accounts report"
    # Get all AD User with lastLogonTimestamp less than our time and set to enable
    Get-ADUser -Filter {LastLogonTimeStamp -lt $time -and enabled -eq $true} -Properties LastLogonTimeStamp | where {($_.distinguishedname -notlike "*OU=HR*") -and ($_.distinguishedname -notlike "*OU=OT*")} | 
    # Output Name and lastLogonTimestamp into CSV
    select-object givenname,Name,@{Name="Last Logon"; Expression={[DateTime]::FromFileTime($_.lastLogonTimestamp).ToString('dd-MM-yyyy_hh:mm:ss')}} | Export-Csv c:\temp\90DaysInactive-$(Get-Date -format dd-MM-yyyy).csv -NoTypeInformation
    Send-MailMessage -From $from -To $to -Subject $subject -cc $cc -SmtpServer $smtpHost -Attachments $FileName -Body $body -BodyAsHtml
    Thanks for your advance help.

  • How do I delete photos in Iphoto library that have not been imported?

    How do I delete photos in Iphoto library that have not been imported?

    How did they get there and how do you know that they are there?
    If they were not imported and iPhoto is not aware of them then you can be sure your current backup is up to date and tested, quit iPhoto and drag them to the finder trash - But be very careful because if you trash any items that iPhoto knows about you will corrupt your library
    Before you empty the trash, launch iPhoto again and be sure everything is working correctly
    It is recommended that you never modify the iPhoto library using anything except iPhoto or iPhoto aware programs like iPhoto Library Manager including adding, modifying or deleting items, files or folders within the iPhoto library
    Your current case may be one of the very unusual exceptions to this - if they were put there without iPhoto's knowledge
    LN
    Message was edited by: LarryHN

Maybe you are looking for

  • UNBILLED RECIEVABLE ACCOUNT- SERVICE CONTRACT WITH REVENUE RECOGNITION

    Hi SAP Gurus, I want to draw your kind attention towards my problem: I have created  service contract with one year contract and created an invoice for the whole year in advance. Now in-between i cancelled  a contract (after three months) and want to

  • HT1766 I am unable to backup my iPhone to computer

    I am unable to backup my iPhone to my computer.

  • Smartforms - upper frame in table

    Hi expert, I created a smartform. Inside a main window I put a table with outer frame, but in display mode there's not the upper frame but only left, right and lower frame. why? any idea ?

  • Floating button not repainting

    I have a class (MyButton) that extends JButton. In the class, I'm handling mouse events to make the button "raise up" from a toolbar when the mouse pointer moves across the button (much like buttons on the IE or Netscape toolbars). When the mouse lea

  • AVI Video Working But No Audio

    I recorded some live video off of a news site with the software Bandicam (www.bandicam.com) and it records as an AVI file. Whenever I try to edit them in Adobe Premiere Elements 11, the video shows up in the timeline but there is no audio. The audio