PSE7 Newbie - Sorting and Renaming using the PSE Downloader

Somewhere along the lines of installing PSE7 and playing with Elements, whenever I plug a camera memory card reader into my computer, one of the options that now appears is a PSE Downloader option (I have always used Windows Explorer for that operation up until now).
I like the options of creating new folders and file names on importing, but have a couple of problems.
#1 - I have both JPEGs and RAW images on the memory card.  On my wife's laptop, I just want to import the JPEGs.  Although you can select the pictures you want to import with little check marks, the Importer does not seem to allow me to sort the JPEGs all together.  I obviously don't want to go through the list of photos, to select maybe 200 individual JPEGS.  So is there any way to sort the displayed pictures so that I can easily select all of the JPEGs all at once.
#2 - I am saving the RAWs on my desktop.  It seems to me that it is easier to keep track of the pictures if I just use the original DSC.... name, but I like the option of adding the Date Shot to the file name.  However, there seems to be no option for Date + Original Name.  Is there any way to do this, get the Original name plus the Date as the file name.
As kind of a side question, is the original picture name (the DSC. . . .) saved with the picture, no matter what (i.e. buried somewhere in the EXIF information) or is the name gone forever if I rename the picture.  And if it is still there, is there a way to get at it, easily.
What I am getting at here is if my wife has one name of the JPEG on her computer and we want to locate the same RAW picture on my computer, is there an easy way to do that.  I am worried about being able to link these pictures together -- is there an easy way to do this.
Ron in Round Rock

http://www.johnrellis.com/psedbtool/photoshop-elements-faq.htm#_Move_your_photos_1

Similar Messages

  • I purchased a lightroom 5 cd from the store, and have used the first download on one computer. I would like to know how to install the second download to my other mac without a cd drive?

    PLEASE HELP!!!

    Download the installer file for Lightroom 5 again, using the Mac without a CD drive. Install it, enter your serial number, done.

  • Sorting a vector using the selection sort method

    I have to write a program that sorts a Vector using the selection sort algorithm. Unfortunately the textbook only has about 2 pages on vectors so needless to say I'm pretty clueless on how to manipulate vectors. However I think I'm on the right path, however I'm stuck on one part as shown in the code below.     
    private static void  selectionSort(Vector parts)
          int index;
            int smallestIndex;
            int minIndex;
            int temp = 0;
            for (index = 0; index < parts.size() - 1; index++)
              smallestIndex = index;
              for (minIndex = index + 1; minIndex < parts.size(); minIndex++)
               if (parts.elementAt(minIndex) < parts.elementAt(smallestIndex))  // this is where I'm having trouble
                  smallestIndex = minIndex;
                parts.setElementAt(temp, smallestIndex);
                parts.setElementAt(smallestIndex, index);
                parts.setElementAt(index, temp); if (parts.elementAt(minIndex) < parts.elementAt(smallestIndex))
    is returning "ProcessParts3.java:51: operator < cannot be applied to java.lang.Object,java.lang.Object"
    Here is the full program:
    import java.util.*;
    import java.io.*;
    public class ProcessParts3
         static Vector parts;
         public static void main(String[] args)
              loadVector();
         private static void loadVector()
         try
              Scanner fileIn = new Scanner(new File("productionParts.txt"));
              parts = new Vector();
              String partIn;
              while (fileIn.hasNext())
                   partIn = fileIn.nextLine();
                        parts.addElement(partIn.trim());
              selectionSort(parts);
                   for (int i = 0; i < parts.size(); i ++)
                   System.out.println(parts.elementAt(i));
         catch(Exception e)
              e.printStackTrace();
         private static void  selectionSort(Vector parts) //from this part down I'm responsible for the coding, everything
                                                               // everything above this was written by the teacher
                 int index;
            int smallestIndex;
            int minIndex;
            int temp = 0;
            for (index = 0; index < parts.size() - 1; index++)
                smallestIndex = index;
                for (minIndex = index + 1; minIndex < parts.size(); minIndex++)
                    if (parts.elementAt(minIndex) < parts.elementAt(smallestIndex))
                        smallestIndex = minIndex;
                parts.setElementAt(temp, smallestIndex);
                parts.setElementAt(smallestIndex, index);
                parts.setElementAt(index, temp);
    }Edited by: SammyP on Nov 27, 2009 11:43 AM

    SammyP wrote:
    I have to write a program that sorts a Vector using the selection sort algorithm...Hmmm.... Your teacher is, in my humble opinion, a bit of a tard.
    1. Vector is basically deprecated in favor of newer implementations of the List interface which where introduced in [the collections framework|http://java.sun.com/docs/books/tutorial/collections/index.html] with Java 1.5 (which became generally available back in May 2004, and went end-of-support Oct 2009). ArrayList is very nearly a "drop in" replacement for Vector, and it is much better designed, and is marginally more efficient, mainly because it is not syncronised, which imposes a small but fundamentally pointless overhead when the collection is not being accessed across multiple threads (as is the case in your program).
    2. Use generics. That "raw" Vector (a list of Objects) should be a genericised List<String> (a list of Strings)... because it's compile-time-type-safe... mind you that definately complicates the definition of your static sort method, but there's an example in the link... Tip: temp should be of type T (not int).
    Note that String implements [Comparable<String>|http://java.sun.com/javase/6/docs/api/java/lang/Comparable.html], so two String's can safely be compared using the compareTo method... In Java the mathematical operators (<, >, &#43;, -, /, &#42;, etc) are only applicable to the primitive types (byte char, int, float, etc)... The Java Gods just chose to muddy the waters (especially for noobs) by "overloading" the &#43; operator for String (and String only) to enable succinct, convenient string-concatenation... which I personally now see as "a little bit of a mistake" on there part.
         private static void  selectionSort(Vector parts)  {
    int index, smallestIndex, minIndex, temp = 0;
    for (index = 0; index < parts.size() - 1; index++) {
    smallestIndex = index;
    for (minIndex = index + 1; minIndex < parts.size(); minIndex++) {
    if (parts.elementAt(minIndex) < parts.elementAt(smallestIndex)) {
    smallestIndex = minIndex;
    parts.setElementAt(temp, smallestIndex);
    parts.setElementAt(smallestIndex, index);
    parts.setElementAt(index, temp);
    }3. ALLWAYS use {curly braces}, even when not strictly necessary for correctness, because (a) they help make your code more readable to humans, and also (b) if you leave them out, you will eventually stuff it up when you insert a line in the expectation that it will be part of the if statement (for example) but you forgot to also add the now mandatory curly-braces... This is far-too-common source of bugs in noob-code. Almost all professionals, nearly allways allways use curly braces, most of the time ;-)
    4. Variable names should be meaningful, except (IMHO) for loop counters... Ergo: I'd rename index plain old i, and minIndex to plain old j
        for ( int i=0; i<list.size()-1; ++i) {
          int wee = i; // wee is the index of the smallest-known-item in list.
          for ( int j=i+1; j<list.size(); ++j ) {Cheers. Keith.
    Edited by: corlettk on 28/11/2009 09:49 ~~ This here fraggin forum markup friggin sucks!

  • Ipod nano generation 4 and 5 use the same case?

    Does anybody know if the iPod Nano generation 4 and 5 use the same case? Thanks.
    I'm looking for a neoprene case if possible. . but using with motorcycle so need the
    case to have a back swivel clip for belt....and be secure.
    I've tried ipod touches, but the clickwheel is easiest to operate and not have to look
    down at it.

    Make sure you install the 1.1 update in itunes. There was some sort of fix for this in that update.
    i

  • Cannot find my "Pictures folder" in Finder and was using the "all Images" selection to fiddle with my pictures.  Now I think I may have screwed iPhoto up

    Cannot find my "Pictures folder" in Finder and was using the "all Images" selection to fiddle with my pictures.  Now I think I may have screwed iPhoto up

    Hi jamesxio,
    Do you still have the Pictures folder in your home folder? If not, create a new folder in your home folder and name it Pictures. Make sure the iPhoto Library folder is in the Pictures folder.
    Now launch iPhoto with the Option key depressed until you get a message screen. Choose to open another library and navigate to and highlight the iPhoto Library folder. Click the Open button.
    You didn't move anything around or rename anything in the iPhoto Library folder in the finder, did you?

  • [svn] 2768: sanity and error tests have been moved to asc/test/compiler/ and now use the runtests.py script to execute

    Revision: 2768
    Author: [email protected]
    Date: 2008-08-06 14:28:35 -0700 (Wed, 06 Aug 2008)
    Log Message:
    sanity and error tests have been moved to asc/test/compiler/ and now use the runtests.py script to execute
    Removed Paths:
    flex/sdk/trunk/modules/asc/test/errors-and-warnings/
    flex/sdk/trunk/modules/asc/test/sanity/

    Answered myself. JUst named the imput fields incorrectly.
    Couple of other problems also but sorted and now working
    fine...

  • When using the camera downloader in Adobe Bridge CS6 with Nikon D5200 we are unable to see previews of the photos and it is very slow to download. The issue occurs under a the users rights, but not under admin level. This is a new issue

    When using the camera downloader in Adobe Bridge CS6 with Nikon D5200 we are unable to see previews of the photos and it is very slow to download. The issue occurs under a the users rights, but not under admin level. This is a new issue.

    Hi Jdentremont,
    Lync client gets user photos by first querying the Address Book Web Query (ABWQ) service on the server, which is exposed through the Distribution List Expansion web service. The client receives
    the image file and then copies it to the user's cache to avoid downloading the image each time it needs to be displayed. The attribute values returned from the query are also stored in the cached Address Book Service entry for the user. The Address Book Service
    deletes all cached images every 24 hours, which means that it can take up to 24 hours for new user images to be updated in the cache on the server.
    To troubleshoot your problem, please follow the steps below:
    1.  Navigate to
     “X:\share\1-WebServices-1\ABfiles\000000000\000000000” folder. (ABS file share)
    You should see some photo files in this folder as the following screenshot.
    2. Delete all the files in this folder.
    3. On test PC, delete local cache files.
    %userprofile%\AppData\Local\Microsoft\Office\15.0\Lync\[email protected]
    4. Sign-in Lync with the test account.
    5. Go back to the ABS file share, check if there is any Photo file in the folder.
    Best regards,
    Eric
    Please remember to mark the replies as answers if they help, and unmark the answers if they provide no help. If you have feedback for TechNet Support, contact [email protected]

  • My nephew and I use the same iTunes account and when I add an app it is loaded on to his iPhone and vice versa... How do I make that stop?

    My nephew and I use the same iTunes account and when I add an app it is loaded on to his iPhone and vice versa... How do I make that stop? I have already unchecked the "Auto Update Apps" button. It happens with all purchases in the app store and on iTunes. HELP!

    I also think separate accounts is the way to go....if he is over 13yrs also remember if you do make an account for him and use your bank card all purchases will be charged to your card.

  • Should my wife and I use the same Apple account or separate accounts?

    Should my wife and I use the same account or our own accounts?
    We each have our own iPhones and we share one iPad.
    We have one computer where we use iTunes (our main desktop at home).
    On iTunes on our computer, sometimes we are logged into my wife's iTunes account and sometimes we are logged into mine.
    My iPhone was set up with my account and my wife’s was set up with her account.
    My wife's iPad is set up with her account (but it seems like it is pretty easy to log out and then log in with my account if I want, I think).
    Since we log into our respective accounts on iTunes and have our own accounts for our iOS devices, we purchase music, games, etc. on both accounts.
    If we continue with our current method of different accounts, I am worried that our music, games etc. will be separated so that we won't be able to access them all from each of our devices.  For example, I'm thinking of setting up that Home Sharing thing where you can use your iOS device to stream off your computer's iTunes but I think it only streams off the iTunes account you are currently signed into.
    Is this a good idea or should we just pick one of our accounts and use it exclusively?
    If we just use one account, should our phones both be signed in / started up with that one account?
    Thanks for any info.

    2 iphones, 1 ipad, 1 PC with 1 apple account

  • I have 3 apple devices and I use the same apple ID for all 3.  I would like to create a new I'd for one of my devices, but do not want to loose the apps on that device.  Anyone know how I can do this?

    I have 3 apple devices and I use the same apple ID for all 3.  I would like to create a new I'd for one of my devices, but do not want to loose the apps on that device.  Anyone know how I can do this?

    Create a new ID:
    On the iPod go to
    - Settings>Messages>Send and receive and sign out your ID and sign into the other one. Make sure that only her ID email address is listed.
    - Settings>FaceTime sign out of your ID and sign into the other one. Make sure that under You can be reached at only the newID email address is listed
    - Settings>iCloud and sign out and sign in with the new one
    - Settings>iTunes and App Store and sign out your ID and sign in with the new one.
    - Apps are locked to the account that purchased them.
    - To update apps you have to sign into the account that purchased the apps. If you have apps that need updating purchased from more than one account you have to update them one at a time until the remaining apps were purchased from one account.

  • My husband and i use the same apple id on our iphones and ipods, now we are having trouble how do we separate them?

    My husband and I use the same apple id and itunes accounts for each of our phones.  His is an Iphone 4 and mine is an 4s.  After this last update we are having trouble with his texting.  
    How do we go about separating our account into two accounts with the same apps and itunes. 

    You would need to create a new Apple ID and re-download and/or repurchase any apps.
    However, if it's just a matter of texting, you can go to Settings -> Messages -> Send & Recieve and check which addresses each phone should receive iMessages addressed to.

  • My husband and I use the same apple ID, I have just started using an iPhone and deleted all his contacts from my phone. He hadn't backed up his iPhone but my iPad is backed up to iCloud. Is there any way I can retrieve his contacts from there?

    My husband and I use the same apple ID. I started using a new iPhone and deleted his contacts from my phone which has also deleted them from his phone. He hasn't backed up his phone but my iPad is backed to iCloud. Can I retrieve the contacts from this?

    In preferences turn on iTunes sharing in iTunes preferences and keep iTunes turned on in both accounts. Or better yet put the iTunes library on the main HD rather than in an account and set the location of the library to that location in iTunes preferences.

  • I have a new iPad with wifi. When I send messages I can see my sons and my husbands but not my phone number.  We all have an iPad and all use the same apple ID as iPad the bill.  How can I remove their numbers and add mine?

    I have a new iPad with wifi. When I send messages I can see my sons and my husbands but not my phone number.  We all have an iPad and all use the same apple ID as iPad the bill.  How can I remove their numbers and add mine?

    Add another e-mail account to your messages, so people could reach you on that e-mail from messages. As soon as you are online (if you have wifi only iPad) you are able to send and receive messages. i.e. your son can send you a messages from his iPhone addressing it to your (that additional) e-mail address.

  • Can my husband and I use the same e-mail address/AppleID for our 2 phones, our iMac, and our Macbook?

    Can my husband and I use the same e-mail address/AppleID for our 2 phones, our iMac, and our Macbook?
    We share an e-mail account and would like to use the same e-mail address for both our phones, as well as our computers at home. Is this possible?
    We both have itunes and apple ID's of our own right now, but since getting married, we are deleting these e-mail accounts and sharing one. How can we make this work?

    You may use the same Apple ID for iTunes and App Store purchases, but using different iCloud Apple IDs is recommended.
    If you use the same iCloud account on your iPhones it will sync all of your contacts, reminders, and notes automatically and it could be a pain. I don't know exactly how you would want to have the iCloud accounts set up on the Macs, because I don't know exactly how you use them. (I am assuming you share?). But you can do whatever you like, you can even keep the same iCloud accounts, etc but you may want to disable the syncing of certain items, because reminders for ones phone popping up on the others automatically would probably get annoying, but that is just me.

  • I have Verizon FiOS service for phone, internet and TV but I only have one TV hooked up for it for just basic cable service with no DVR and no need for widgets.  Can I use an Airport Extreme as my router and not use the FiOs router?

    I want to use an Airport Extreme as my router.  I currently have a Verizon FiOS router.  I have Verizon for phone, internet and TV.  However, TV-wise, I just have a basic service for one TV with just a regular box.  No HD, no DVR.  Don't need access to a menu, widgets, on-demand.  Can I eliminate the FiOS Router and just use the Airport Extreme and still have phone and internet?

    I know that it will increase my wireless coverage in my house but will it increase the speeds?
    Not sure what you are asking here.  The AirPort Extreme is only going to be as fast as the Internet connection that it receives.....which is 75/75. It cannot take a 75/75 connection and make it go any faster.
    If you locate the AirPort Extreme in an area where you need more wireless signal coverage, the AirPort Extreme would deliver 75/75 in that area.  But, keep in mind that the AirPort Extreme must connect to the FIOS router using a permanent, wired Ethernet cable connection.
    If you are asking if the AirPort Extreme can wirelessly connect to the FIOS modem router, and extend the FIOS wireless network, the AirPort Extreme would not be compatible with a FIOS product for that purpose.

Maybe you are looking for

  • Year to Date Aggregation

    I want to aggregate the sum of cash transactions year to date, weekly. I have the following code: SELECT    SUM(T2.Debit-T2.Credit), datepart(wk, T1.refdate) FROM       OACT INNER JOIN                 JDT1 T1 ON T1.Account = OACT.AcctCode Join JDT1 T

  • IDOC to CSV file getting created in Target with out any data

    Dear All, Scenario:IDOC to CSV We have developed a ID part and reused the IR part.Interface is successfull end to end in both ABAP and Java Stack and file has been created in Target but without any data. I think we need to do changes in Content Conve

  • Exception in CRM system after creating post goods issue in ECC

    Hi Folks, We are facing an issue in CRM system. I will tell the scenario in details so that it would be helpful to understand, We are creating sales order in CRM system and it got replicated to ECC correctly. We have maintained action definition to t

  • ACE ; probe for host header-value

    Hi, we have following probe setup. sometimes this probe fails because server resets the connection but server team claims there aren't any issues with server. probe https probe1.abc.com:10456   port 10456   interval 34   passdetect interval 17   ssl

  • E51 issue

    I have encountered a wierd problem with my new E51. I think it is a software issue, but I didn't send for re-installation since I didnt have a spare phone. Just sharing this problem to see if i'm alone: My E51 has consistently log on to the internet