How to view file item count in finder window?

Hi all,
Pre-Lion, I had things set up so that I was able to view the number of files/items in a finder window that was in list view. This information would show up at the bottom of my finder windows. I know I had intially pressed some kind of OS X shortcut to get it to show up there and now would *really* like to be able to easily view that information once again. Not only did I get a file count, I was also shown a file path if I clicked on one of the files in the finder window.
For the life of me though I just cannot remember how to do this. Can anyone help me out?
Thank you very much in advance:)
Christine

Got it! That was SO EASY...thank you very much

Similar Messages

  • How to drag file from desktop into Finder window?

    I use the four finger gesture to reveal my desktop, then I drag and file and intend to put it in one of the Finder windows that was there before the "reveal desktop" gesture. How do I get the windows to come back while the file is being dragged? There seems to be no hot corner or keyboard shortcut for "unrevealing" the desktop.

    Got it! That was SO EASY...thank you very much

  • Items "date modified" column when viewing files as list in finder

    I'm not really sure if I can change this viewing option, but i will give it a try:
    when viewing files as list in finder, "yesterday" items "date modified" column shows up with the term "yesterday", while this does not happen for "today" items, where what shows up is just today's date and not the term "today".
    I found this rather confusing, since it is not immediate: i.e. if I want to check for items modified today at a glance, i need to pick today's date from a ist with a number of different dates. As a matter of fact, it's a way easier when checking for yesterday's items.
    Suggestions anyone?
    Thanks!

    toygal wrote:
    I am new to Aperature and not very computer savvy so please provide "dummy's guide to" responses.
    toygal -- welcome to the Aperture user-to-user forum. iPhoto was designed with you in mind. Aperture is 100x more complicated (and no faster). I strongly recommend that you revert to iPhoto and use it. Compared to Aperture, it will bring you more pleasure and cause you much less frustration. Whoever told you that Aperture is faster not only was wrong, they failed to take into consideration the hours that you would have to practice to become comfortable with it.
    Here are some threads which briefly touch on the difference between iPhoto and Aperture -- use the search to find many more.
    http://discussions.apple.com/thread.jspa?messageID=13183439&#13183439
    http://discussions.apple.com/thread.jspa?messageID=12906017&#12906017
    http://discussions.apple.com/thread.jspa?messageID=12901779&#12901779
    Message was edited by: Kirby Krieger

  • How to get file line count.

    Hey guys,
    How to get file line count very fast? I am using BufferedReader to readLine() and count. But when dealing with big file, say several GB size, this process will be very time consuming.
    Is there any other methods?
    Thanks in advace!

    What I'd do is you create an infofetcher, register a listener, implement gotMore() and have that scan for '\n'
    Some might suggest getting rid of the listener/sender pattern or use multiple threads to make ii faster. This might help a little, but only if your I/O is super-duper speedy.
    you are welcome to use and modify this code, but please don't change the package or take credit for it as your own work.
    InfoFetcher.java
    ============
    package tjacobs.io;
    import java.io.IOException;
    import java.io.InputStream;
    import java.util.ArrayList;
    import java.util.Iterator;
    * InfoFetcher is a generic way to read data from an input stream (file, socket, etc)
    * InfoFetcher can be set up with a thread so that it reads from an input stream
    * and report to registered listeners as it gets
    * more information. This vastly simplifies the process of always re-writing
    * the same code for reading from an input stream.
    * <p>
    * I use this all over
         public class InfoFetcher implements Runnable {
              public byte[] buf;
              public InputStream in;
              public int waitTime;
              private ArrayList mListeners;
              public int got = 0;
              protected boolean mClearBufferFlag = false;
              public InfoFetcher(InputStream in, byte[] buf, int waitTime) {
                   this.buf = buf;
                   this.in = in;
                   this.waitTime = waitTime;
              public void addInputStreamListener(InputStreamListener fll) {
                   if (mListeners == null) {
                        mListeners = new ArrayList(2);
                   if (!mListeners.contains(fll)) {
                        mListeners.add(fll);
              public void removeInputStreamListener(InputStreamListener fll) {
                   if (mListeners == null) {
                        return;
                   mListeners.remove(fll);
              public byte[] readCompletely() {
                   run();
                   return buf;
              public int got() {
                   return got;
              public void run() {
                   if (waitTime > 0) {
                        TimeOut to = new TimeOut(waitTime);
                        Thread t = new Thread(to);
                        t.start();
                   int b;
                   try {
                        while ((b = in.read()) != -1) {
                             if (got + 1 > buf.length) {
                                  buf = IOUtils.expandBuf(buf);
                             int start = got;
                             buf[got++] = (byte) b;
                             int available = in.available();
                             //System.out.println("got = " + got + " available = " + available + " buf.length = " + buf.length);
                             if (got + available > buf.length) {
                                  buf = IOUtils.expandBuf(buf, Math.max(got + available, buf.length * 2));
                             got += in.read(buf, got, available);
                             signalListeners(false, start);
                             if (mClearBufferFlag) {
                                  mClearBufferFlag = false;
                                  got = 0;
                   } catch (IOException iox) {
                        throw new PartialReadException(got, buf.length);
                   } finally {
                        buf = IOUtils.trimBuf(buf, got);
                        signalListeners(true);
              private void setClearBufferFlag(boolean status) {
                   mClearBufferFlag = status;
              public void clearBuffer() {
                   setClearBufferFlag(true);
              private void signalListeners(boolean over) {
                   signalListeners (over, 0);
              private void signalListeners(boolean over, int start) {
                   if (mListeners != null) {
                        Iterator i = mListeners.iterator();
                        InputStreamEvent ev = new InputStreamEvent(got, buf, start);
                        //System.out.println("got: " + got + " buf = " + new String(buf, 0, 20));
                        while (i.hasNext()) {
                             InputStreamListener fll = (InputStreamListener) i.next();
                             if (over) {
                                  fll.gotAll(ev);
                             } else {
                                  fll.gotMore(ev);
    InputStreamListener.java
    ====================
    package tjacobs.io;
         public interface InputStreamListener {
               * the new data retrieved is in the byte array from <i>start</i> to <i>totalBytesRetrieved</i> in the buffer
              public void gotMore(InputStreamEvent ev);
               * reading has finished. The entire contents read from the stream in
               * in the buffer
              public void gotAll(InputStreamEvent ev);
    InputStreamEvent
    ===============
    package tjacobs.io;
    * The InputStreamEvent fired from the InfoFetcher
    * the new data retrieved is from <i>start</i> to <i>totalBytesRetrieved</i> in the buffer
    public class InputStreamEvent {
         public int totalBytesRetrieved;
         public int start;
         public byte buffer[];
         public InputStreamEvent (int bytes, byte buf[]) {
              this(bytes, buf, 0);
         public InputStreamEvent (int bytes, byte buf[], int start) {
              totalBytesRetrieved = bytes;
              buffer = buf;
              this.start = start;
         public int getBytesRetrieved() {
              return totalBytesRetrieved;
         public int getStart() {
              return start;
         public byte[] getBytes() {
              return buffer;
    ParialReadException
    =================
    package tjacobs.io;
    public class PartialReadException extends RuntimeException {
         public PartialReadException(int got, int total) {
              super("Got " + got + " of " + total + " bytes");
    }

  • How can I restore the "All my files" shortcut in the finder window after deleting it

    Hello all!
    How can I restore the "All my files" shortcut in the finder window after deleting it?

    Finder > Preferences > Sidebar
    Put a checkmark in the box beside "All My Files".

  • Set columns in the "Open file..." Finder window

    Hi,
    When selecting "Open File..." from the File menu in all my apps, the Finder opens a window with the columns:
    Name - Date Added - Kind - Size
    I just want to change the column Date Added to Date Modified. I have done it for my Finder windows in Finder options, but i does not work in the "Open File..." finder window...  and it's pretty annoying for me!
    Thanks for any help.

    Try going to your Home folder, bring up the Finder's view options, select Date Modified and click on Use As Defaults button.  All of of my Open windows display the Modified Date as the only date.

  • How to  show additional items in the same window using stacked canvas

    How to show additional items in the same window using stacked canvas.
    My content canvas has 14 items, and I have to include more.
    I want to know how I can use a stacked canvas to show these additional items in the same window, so that I can scroll through horzontally , as if all the items are on one canvas.

    Well, I intially navigate into my content canvas. At this stage the stacked canvas is not visible, then how should I navigate to an item on the stacked canvas to make it visible?

  • Installed iTunes 11.4.0 and cannot find how to view files created by apps or screen displays for moving icons.  Where did it go?

    I recently installed iTunes 11.4.0 and cannot find how to view the files created by some apps on my iPhone (and iPad).  There appears to be no way to view them as there was in the previous version.  Also can't view screens and icon positons to manipulate them in iTunes.  Any one no how to find them, or if they have been purposely removed from 11.4.0?

    First, take a deep breath ... enjoy life.
    Upgrade to the latest version 1.4.1. It's a free upgrade. It however will not alleviate your frustrations.
    You can move a directory in Lr by clicking and dragging to a new location within the Folders panel. To create a new folder on a new drive ensure that no folders are selected (hint: click All Photographs in the Catalog panel) then click the + icon in the Folders panel. You will be presented with a dialog to choose or create a new folder.
    To move selected photos to a new directory first select the images then right click the destination folder. You will be presented with several options including moving to the destination folder or creating a new folder under the destination folder.
    You can also move images outside of Lr. Review these links:
    http://www.adobeforums.com/webx/.3bc42055
    http://livedocs.adobe.com/en_US/Lightroom/1.0/help.html?content=WS46FF9C0B-36EA-4271-B1D0- 07B6B46EE011.html
    http://photo.net/bboard/q-and-a-fetch-msg?msg_id=00NqWO
    http://luckhurst.wordpress.com/2007/08/21/lightroom-with-an-external-hard-drive/

  • How to view the items call usage in online bill?

    How do I view the items call usage in my latest or previous on line bill.
    I only can view them in Recent Usage currently. But I can't view detailed call in previous bill online.

    Log into your account at BT.com.
    Select the relevent account.
    Click on billing.
    Click on the bill you want to view.
    Click on usage charges.
    Click on the type of calls you want to view or click on total.
    and there you have it.
    Click next at the bottom of the page to view more calls if there is more than one page full.
    You can also download the usage as csv file to open in excel.
    Hope that helps.

  • Automator: How to reveal multiple Finder items in 1 Finder window?

    Just as the subject states. How do I use Automator to reveal multiple Finder items in a single Finder window?
    Thanks in advance!

    Allow me to also briefly explain what I'm trying to do. For some reason Spotlight does not index the Library folder by default. I'm trying to create a workflow app which allows me to do this at will.
    So far upon experimenting I can get it to kind of work with the following actions...
    Text > Ask for Text (as in "What would you like to search for in the Library folder?")
    Utilities > Spotlight (executes the search based on the input from the first action)
    Files & Folders > Reveal Finder Items (reveals the results of the search, but in a separate Finder window for each result)
    My goal is to aggregate the results and display them in a single Finder window if possible.
    Thanks

  • How to view files uploaded in a directory through jsf

    Please tell how to view the files in a directory using adf .Using jdeveloper 10g

    Hi,
    I assume the user has a directory on the server where his/her files go. In this case, you can use Java in a managed bean to access the folder and create a collection of the entries.
    http://www.exampledepot.com/egs/java.io/GetFiles.html
    Frank

  • How to view Files inside File manager in N73

    I wanted a video of .avi or any other format (For my computer) that N73 Doesnot support..& so i have got it in my inbox via bluetooth inside inbox.
    But how to SAVE it without opening it.
    Becoz on opening it says UNKNOWN FILE FORMAT.
    So any one can tell me how to view it and save inside Phone or directly to computer via USB cable.
    Shashank RockZzzzzz...With N73 (23)
    v4.0726.2.1.1
    27-07-2007
    RM132

    any help will be appriciated
    Shashank RockZzzzzz...With N73 (23)
    v4.0726.2.1.1
    27-07-2007
    RM132

  • How to view  file in EBS R12

    Hi,
    I have a report output file report1.pdf coming from windows.
    I ftp it to our EBS R12 linux server to the desired location.
    How can I view it using the "view request" of the EBS CM?
    Thanks a lot

    Hi,
    What do you mean by how to view the report? If you register the concurrent program, then you should be able to view the output using Acrobat Reader (since the type is PDF).
    In addition, you should not upload the output file (.pdf), instead upload the rdf file under $PRODUCT_TOP/reports/<lang> directory.
    Regards,
    Hussein

  • How to view file size of imported photo

    i plan to import a number of large photos from iphoto. i hesitate because each photo is between 20 and 50 MB. Will iweb scale this file down while importing? How can i find out about it? I did not find file information on the imported photo nor do i know the file location of the website project on my mac harddisk.
    Do I have to use third party software like Photoshop to scale the size down and afterwards import them into iphoto and iweb?
    Thank You,
    Harpo

    I think you should DEFINITELY scale your images down before importing them or dragging and dropping them into iWeb! If your images are in iPhoto, then you can use the "Export" command in iPhoto to export your images and specify what resolution they should be scaled to.
    One of the issues I have with the iPhoto export function is that you have no control over the amount of JPG compression in the exported photos, which has a direct relationship to the resulting file size. So I like to use a program called "Downsize" http://www.stuntsoftware.com/Downsize/ which will allow you to specify maximum image dimensions as well as JPG compression. You will also then be able to check how large the resulting files are in the Finder before using them in iWeb.
    Whenever you are scaling photos for use in iWeb, it's important to realize that any additional changes that you make to the photos in iWeb will cause the image to be converted from jpg to png. This may impinge on your ability to control the filesizes directly. The way to get around this is to scale your photos to exactly the size you want and then after dragging them into iWeb, click on the "Use original size" button in the Inspector Metrics tab. Also, don't apply any other effects to your images like rotation, frames, drop shadows... If you want these, you should do these in external applications as well. These are my recommendations only if you want to have complete control over your filesizes. It's certainly not required.
    But as far as your 50mb images go, definitely scale them down before bringing them into iWeb. Otherwise, iWeb will rescale the images for you, but it will ALSO throw a copy of your 50mb file into your Domain file to refer to in publishing. This would cause your Domain file to balloon in size quite rapidly. To put things into perspective for you on this, the Domain file for my entire site is only 80mb.

  • How To Get Deleted Item Count and Associated Item Count And LastLogOn and LogOff Time For A Mailbox In Exchange Using EWS

    Using Powershell cmdlet i get  all the details..But i want to get these Details by using EWS Managed Api.Is It Possible to do???
    Powershell Cmdlet,
    Get-MailboxStatistics -Identity Username, Using this cmdlets all the details will get displayed.
    DeletedItemCount:5 //Here how this count comes.In My OutlookWebApp the deleteditems folder contains 13 items in it..But the count shows only 5.
    TotalDeletedItemSize:5.465 Kb//Even this value too does not match with DeletedItems Folder size in owa.
    AssociatedItemCount:12
    LastLogOnTime:11/11/11 12:43PM
    LastLogOff Time:11/11/11 2:43PM
    In EWS,
    By Looping through all folders i can get the total item count and total item size.Even i can get deleteditems  count .But that value does not match  With the powershell value.Even the TotalDeletedItemSize
    Doesnt match.
    Using EWS Managed Api ,Looping through folders i can get ItemCount,TotalitemSize,(DeletedItems,TotalDeleteditemSize(These TwoValues Does not match with values comes from powershell))
    Now how to get the Associated item count and lastlogoff and logon time using EWS managed Api.Is it Possible???
    And even y the deleteditems count and size values varies between EWS and powershell.

    What happens if you execute the below code?
    Get-MailboxFolderStatistics [email protected] | where {$_.FolderPath -like "/Deleted Items"}
    Refer this blog. You may get some dice
    http://exchangepedia.com/blog/2008/09/configuring-deleted-item-retention.html
    Regards Chen V [MCTS SharePoint 2010]

Maybe you are looking for

  • Windows Easy transfer , ERROR message when trying to copy settings to Win 8 PC

    I have a new hp-TouchSmart Envy 23. It has 2TB drive. I want to use Windows Easy Transfer to move all my settings and data from the Windows 7 machine to the new hp-TouchSmart (my older PC is hp desktop is model # m9177c and has Win 7 OS)  . I have us

  • Problem radius authetication ACS 5.4

    Hi friends, Do you know about this problem with radius authenticaction in  ACS 5. This is la log. Best regard, Marco

  • Java Embedding Weird XML Node Error

    Ok, I am going crazy. I have a java embedding node that takes a date string in, changes it to a different format and creates another date that contains the current time. if I run this in java to code run ok and there are no issues. At the end of the

  • External Isight wont plug into my mini mac 2010

    I have an external isight and a Mac OS X 10.6.7 (Mini Mac) but the firewire that goes with the Isight doesn't fit into the firewire port on the Mini Mac. Is there some type of adapter I can buy, and if so, will the external Isight work with my mini m

  • Urgent JBO-26041: Failed to post data to database during (in insert Clob)

    HI , we have a code to get the clob and then write it to the database HttpSession session = UIServices.getHttpSession(context); byte] payloadByteArray = (byte[)session.getAttribute("FILE_BYTES_fileName"); String payloadStr = null; try { //get the str