Searcing text in album or project names

Hi! In iphoto I could search for text in the name of an album. For example by typing "copenhagen" I would see all the pictures that are in albums whose name contained the word copenhagen. (xmas in copenhagen, copenhagen opera, my friend molly in copenhagen etc etc..). In aperture this does not seem possible. I would have to put copenhagen in the metadata of each photo. If you have lots of projects and albums, how do you find them fast? You do not always look for individual pic, but often simply want to find a certain Album or project... Is there no way of making the search criteria include the album and project names? It seems like such a basic thing we would all have to do..... Help! Thanks...
several   Mac OS X (10.4.8)  

yes, that is the work aroudn I am using. every tiem I create an album, I put its name in the metadata of each image in teh album. boring. it should be automatic!!! After all, if iphoto can do it, aperture should be able too!!!!!
Thansk for your help!

Similar Messages

  • Is it possible to export all information (metadata, list of pictures within each album or project) about ALL pictures in Aperture to text files, in a single operation?

    I have downloaded a trial version of Aperture because I would like to switch from using Picasa and gimp to using Aperture.  I already know that I want to use Aperture, and that I cannot learn how in 30 days.  I want to use the 30 days to see if I can solve a different problem: bulk export of all information except edits and versions from Aperture.
    I want to avoid locking information (other than than the edits and version information that Aperture maintains) about my photos into any one piece of software.
    Picasa stores a copy of almost all its information in text filies (mostly XML or .ini format) that are scattered through its picture library.  These files can be scanned and found by use of Mac OS X tools that are availabe in Terminal (at the bash command line).  All of the information about albums, faces, etc can be exported by a single command (after wtiting the progams that the command will initiate.  I have not yest found any similar files in Aperture.
    Aperture supports the export of EXIF and IPTC metadata, but only for selected photos, and does not appear to support the export of other information at all.
    What I would like to do with a single operation, from either Aperture or Terminal, is to export the entire arrangement of phost ins albums and projects, lists of albums, projects and phots with all metadata (including added keywords) attached to each, and for referenced photos, the external file name.  I do not care if would be in one file or many different text files, because Mac OS X provides all the tools I would need to extract the information I would want from any number of text files.
    This would allow me to reconstruct all of the information about my photos (except for edits and versions) outside Aperture, and to use that info in a database outside Aperture.  I would then be able to use Aperture while still being able to do everything that I could do with Picasa.
    The most helpful form of an answer to this question might be a list of places to look in the Apple support and Apple developer documentation.  It is difficult to teach me anything complicated, but I am fairly good at figuring out things from documentation.

    The following script recursively lists the content of an Aperture library.  The output is simple, for demonstration puposes, but could be modified to XML.  If the XML were that of a PLIST, the Apple Property List viewer oculd be used to diaplsy the output.
    A simlar script produces all of the keywords and tags for all of the images in Aperture.
    The scripts run much faster in the shell than in the AppleScript Editor bcause the shwll produces no debugging or monitoring information.
    #!/usr/bin/env osascript
    (*    Demo: list the containment hierarchy in Aperture, starting from libraries.
        Runs from AppleScript Editor, or as a shell command
        References:
            Aperture 3 AppleScript Reference Manual,
                particularly the Containment Diagram in Appendix A
                from the link on "Aperture Resources" web page at http://images.apple.com/aperture/resources/
            Aperture AppleScript Dictionary, accessed from AppleScript Editor
        Ian E. Gorman
    global outputFile
    set outputFilePath to "/Users/ian/prj/sw/AppleScript/ApertureContainment.txt"
    global lineEnd
    set lineEnd to "
    global tabChar
    set tabChar to "    "
    on writeText(str)
        write str to outputFile
    end writeText
    # Open the file, guarantee closure after any error, and list the contents of Aperture libraries
    try
        set outputFile to open for access POSIX file outputFilePath with write permission
        set eof outputFile to 0 # truncate the file, if it already exists
        my listAll()
        close access outputFile
    on error errorMsg number errNum from offendingObj partial result resutList to expectedType
        try
            display alert "Operation failed, attempting to close output file" & lineEnd & "Error number " & errNum & ": " & errorMsg
            close access outputFile
            display alert "Operation failed, but output file has been closed"
        on error
            display alert "Operation failed, also failed to close output file"
        end try
    end try
    # top-level in Aperture
    on listAll()
        tell application "Aperture"
            repeat with eachLibrary in libraries
                my listLibrary(0, eachLibrary)
            end repeat
        end tell
    end listAll
    on listLibrary(level, thisLibrary)
        local newLevel
        set newLevel to 1 + (level as integer)
        tell application "Aperture"
            my writeText((newLevel as rich text) & tabChar & "library" & tabChar & (name of thisLibrary) & lineEnd)
            repeat with eachAlbum in albums of thisLibrary
                my listAlbum(newLevel, eachAlbum)
            end repeat
            repeat with eachFolder in folders of thisLibrary
                my listFolder(newLevel, eachFolder)
            end repeat
            repeat with eachProject in projects of thisLibrary
                my listProject(newLevel, eachProject)
            end repeat
            repeat with eachImageVersion in image versions of thisLibrary
                my listImageVersion(newLevel, eachImageVersion)
            end repeat
        end tell
    end listLibrary
    on listAlbum(level, thisAlbum)
        local newLevel
        set newLevel to 1 + (level as integer)
        tell application "Aperture"
            my writeText((newLevel as rich text) & tabChar & "album" & tabChar & (name of thisAlbum) & lineEnd)
            repeat with eachImageVersion in image versions of thisAlbum
                my listImageVersion(newLevel, eachImageVersion)
            end repeat
        end tell
    end listAlbum
    on listFolder(level, thisFolder)
        local newLevel
        set newLevel to 1 + (level as integer)
        tell application "Aperture"
            my writeText((newLevel as rich text) & tabChar & "folder" & tabChar & (name of thisFolder) & lineEnd)
            repeat with eachAlbum in albums of thisFolder
                my listAlbum(newLevel, eachAlbum)
            end repeat
            repeat with eachFolder in folders of thisFolder
                my listFolder(newLevel, eachFolder)
            end repeat
            repeat with eachProject in projects of thisFolder
                my listProject(newLevel, eachProject)
            end repeat
            repeat with eachImageVersion in image versions of thisFolder
                my listImageVersion(newLevel, eachImageVersion)
            end repeat
        end tell
    end listFolder
    on listProject(level, thisProject)
        local newLevel
        set newLevel to 1 + (level as integer)
        tell application "Aperture"
            my writeText((newLevel as rich text) & tabChar & "project" & tabChar & (name of thisProject) & lineEnd)
            repeat with eachAlbum in albums of thisProject
                my listAlbum(newLevel, eachAlbum)
            end repeat
            repeat with eachSubfolder in subfolders of thisProject
                my listSubfolder(newLevel, eachSubfolder)
            end repeat
            repeat with eachImageVersion in image versions of thisProject
                my listImageVersion(newLevel, eachImageVersion)
            end repeat
        end tell
    end listProject
    on listSubfolder(level, thisSubfolder)
        local newLevel
        set newLevel to 1 + (level as integer)
        tell application "Aperture"
            my writeText((newLevel as rich text) & tabChar & "subfolder" & tabChar & (name of thisSubfolder) & lineEnd)
            repeat with eachAlbum in albums of thisSubfolder
                my listAlbum(newLevel, eachAlbum)
            end repeat
            repeat with eachSubfolder in subfolders of thisSubfolder
                my listSubfolder(newLevel, eachSubfolder)
            end repeat
            repeat with eachImageVersion in image versions of thisSubfolder
                my listImageVersion(newLevel, eachImageVersion)
            end repeat
        end tell
    end listSubfolder
    on listImageVersion(level, thisImageVersion)
        local newLevel
        set newLevel to 1 + (level as integer)
        tell application "Aperture"
            my writeText((newLevel as rich text) & tabChar & "image version" & tabChar & (name of thisImageVersion) & lineEnd)
        end tell
    end listImageVersion

  • Add Project Name and description to the Projects Notification Layout in OTL

    Hi,
    I want to add the Project name and description to the OTL Projects Notification Layout. I have tried the following code to change the ldt file.
    BEGIN HXC_LAYOUT_COMPONENTS "Projects Notification Layout - Project Name"
    OWNER = "ORACLE"
    COMPONENT_VALUE = "PROJECTNAME"
    REGION_CODE = "CUS_PROJECT_PROMPT"
    REGION_CODE_APP_SHORT_NAME = "HXC"
    ATTRIBUTE_CODE = "HXC_CUI_PROJECT_NAME"
    ATTRIBUTE_CODE_APP_SHORT_NAME = "HXC"
    SEQUENCE = "181"
    COMPONENT_DEFINITION = "LOV"
    RENDER_TYPE = "WEB"
    PARENT_COMPONENT =
    "Projects Notification Layout - Day building blocks - matrix layout"
    LAST_UPDATE_DATE = "2004/05/24"
    BEGIN HXC_LAYOUT_COMP_QUALIFIERS "Projects Notification Layout - Project Name"
    OWNER = "ORACLE"
    QUALIFIER_ATTRIBUTE_CATEGORY = "LOV"
    QUALIFIER_ATTRIBUTE1 = "ProjectBaseLOVVO"
    QUALIFIER_ATTRIBUTE2 = "N"
    QUALIFIER_ATTRIBUTE3 = "HXC_CUI_PROJECT_LOV"
    QUALIFIER_ATTRIBUTE4 = "809"
    QUALIFIER_ATTRIBUTE5 = "12"
    QUALIFIER_ATTRIBUTE6 =
    "HxcCuiProjectName|PROJECTNAME-DISPLAY|CRITERIA|N|HxcCuiProjectId|PROJECTNAME|RESULT|N|HxcCuiProjectName|PROJECTNAME-DISPLAY|RESULT|N"
    QUALIFIER_ATTRIBUTE8 = "ProjectName"
    QUALIFIER_ATTRIBUTE9 = "ProjectId#NUMBER"
    QUALIFIER_ATTRIBUTE10 =
    "oracle.apps.hxc.selfservice.timecard.server.ProjectBaseLOVVO"
    QUALIFIER_ATTRIBUTE17 = "OraTableCellText"
    QUALIFIER_ATTRIBUTE20 = "N"
    QUALIFIER_ATTRIBUTE21 = "Y"
    QUALIFIER_ATTRIBUTE22 = "L"
    QUALIFIER_ATTRIBUTE25 = "FLEX"
    QUALIFIER_ATTRIBUTE26 = "PROJECTS"
    QUALIFIER_ATTRIBUTE27 = "Attribute8"
    QUALIFIER_ATTRIBUTE28 = "PROJECT_NAME"
    QUALIFIER_ATTRIBUTE30 = "Y"
    LAST_UPDATE_DATE = "2004/05/24"
    END HXC_LAYOUT_COMP_QUALIFIERS
    END HXC_LAYOUT_COMPONENTS
    I have created a segment PROJECT_NAME (attribute8) to the "PROJECTS" context of "OTL Information Types" DFF. Bouce the apache server.
    I am able to get the prompt but unable to get the data in the column.
    Please help.
    Thanks & Regards,
    Munish

    Hi Also have tried with the following ldt code. In this code I have added the projectname field from the PROJECT LOV and tried to get the value of the projectname into the text field.
    BEGIN HXC_LAYOUT_COMPONENTS "Projects Notification Layout - Project"
    OWNER = "ORACLE"
    COMPONENT_VALUE = "PROJECT"
    REGION_CODE = "HXC_CUI_TIMECARD"
    REGION_CODE_APP_SHORT_NAME = "HXC"
    ATTRIBUTE_CODE = "HXC_TIMECARD_PROJECT"
    ATTRIBUTE_CODE_APP_SHORT_NAME = "HXC"
    SEQUENCE = "180"
    COMPONENT_DEFINITION = "LOV"
    RENDER_TYPE = "WEB"
    PARENT_COMPONENT =
    "Projects Notification Layout - Day building blocks - matrix layout"
    LAST_UPDATE_DATE = "2004/05/24"
    BEGIN HXC_LAYOUT_COMP_QUALIFIERS "Projects Notification Layout - Project"
    OWNER = "ORACLE"
    QUALIFIER_ATTRIBUTE_CATEGORY = "LOV"
    QUALIFIER_ATTRIBUTE1 = "ProjectBaseLOVVO"
    QUALIFIER_ATTRIBUTE2 = "N"
    QUALIFIER_ATTRIBUTE3 = "HXC_CUI_PROJECT_LOV"
    QUALIFIER_ATTRIBUTE4 = "809"
    QUALIFIER_ATTRIBUTE5 = "12"
    QUALIFIER_ATTRIBUTE6 =
    "HxcCuiProjectNumber|PROJECT-DISPLAY|CRITERIA|N|HxcCuiProjectId|PROJECT|RESULT|N|HxcCuiProjectNumber|PROJECT-DISPLAY|RESULT|N|HxcCuiProjectName|PROJNAME|RESULT|N"
    QUALIFIER_ATTRIBUTE8 = "ProjectNumber"
    QUALIFIER_ATTRIBUTE9 = "ProjectId#NUMBER"
    QUALIFIER_ATTRIBUTE10 =
    "oracle.apps.hxc.selfservice.timecard.server.ProjectBaseLOVVO"
    QUALIFIER_ATTRIBUTE17 = "OraTableCellText"
    QUALIFIER_ATTRIBUTE20 = "N"
    QUALIFIER_ATTRIBUTE21 = "Y"
    QUALIFIER_ATTRIBUTE22 = "L"
    QUALIFIER_ATTRIBUTE25 = "FLEX"
    QUALIFIER_ATTRIBUTE26 = "PROJECTS"
    QUALIFIER_ATTRIBUTE27 = "Attribute1"
    QUALIFIER_ATTRIBUTE28 = "PROJECT"
    QUALIFIER_ATTRIBUTE30 = "Y"
    LAST_UPDATE_DATE = "2004/05/24"
    END HXC_LAYOUT_COMP_QUALIFIERS
    END HXC_LAYOUT_COMPONENTS
    BEGIN HXC_LAYOUT_COMPONENTS "Projects Notification Layout - Project Name"
    OWNER = "CUSTOM"
    COMPONENT_VALUE = "PROJECTNAME"
    SEQUENCE = "181"
    COMPONENT_DEFINITION = "TEXT_FIELD"
    RENDER_TYPE = "WEB"
    PARENT_COMPONENT = "Projects Notification Layout - Day building blocks - matrix layout"
    REGION_CODE = "CUS_PROJECT_PROMPT"
    REGION_CODE_APP_SHORT_NAME = "HXC"
    ATTRIBUTE_CODE = "HXC_CUI_PROJECT_NAME"
    ATTRIBUTE_CODE_APP_SHORT_NAME = "HXC"
    BEGIN HXC_LAYOUT_COMP_QUALIFIERS "Projects Notification Layout - Project Name"
    OWNER = "CUSTOM"
    QUALIFIER_ATTRIBUTE_CATEGORY = "TEXT_FIELD"
    QUALIFIER_ATTRIBUTE1 = "N"
    QUALIFIER_ATTRIBUTE2 = "NODISPLAYCACHE"
    QUALIFIER_ATTRIBUTE3 = "10"
    QUALIFIER_ATTRIBUTE4 = "1"
    QUALIFIER_ATTRIBUTE20 = "N"
    QUALIFIER_ATTRIBUTE21 = "Y"
    QUALIFIER_ATTRIBUTE22 = "L"
    QUALIFIER_ATTRIBUTE25 = "FLEX"
    QUALIFIER_ATTRIBUTE26 = "PROJECTS"
    QUALIFIER_ATTRIBUTE27 = "Attribute20"
    QUALIFIER_ATTRIBUTE28 = "PROJNAME"
    QUALIFIER_ATTRIBUTE30 = "Y"
    END HXC_LAYOUT_COMP_QUALIFIERS
    END HXC_LAYOUT_COMPONENTS
    But no data is displayed.
    I have also tried with the QUALIFIER_ATTRIBUTE27 = "Attribute8" as the attribute8 is being defined in the PROJECTS context of the "OTL Information Types" DFF.
    Thanks & regards,
    Munish

  • Albums and projects (quick one please)

    just about to set down and spend a full day fixing my database here.
    can anyone please remind me the proper way to organize albums versus projects?
    i have a series of folders that contain either albums or projects and i need to reorganize this information. recently someone reminded me (a former windows user) that I need to think of my Aperture database as basically a place to store my slides. is there a good way to think about Albums versus Projects in this sense?
    can i drag "slides" out of an Album and put them in a Project or take them out of a Project and put them in an Album or is this a bad idea?
    also, when organizing slideshows and video should i only put these in a Folder or can they also go in a Project?
    thanks for a push on this.
    - Jon

    Hi Jon -- I see that others are offering excellent advice.  I'll address your specific questions, and then read through the rest of the thread, but probably won't post unless you have additional questions.
    hotwheels 22 wrote:
    Hi Kirby.
    Thanks very much. Also thanks for the link. OK. So it appears that I have a lot of Albums that I don't want or need.
    1. Can I simply delete these with the assumption that the original images are stored elsewhere?
    2. Can you help me a bit with getting rid of folders? I mean, assuming I see a Folder that I don't want to keep - can I delete the ALBUMS in the Folder and then assume that there aren't any original images in the folder because these /have/ to be stored in a Project? I mean, can I just delete the Albums in here and assume that there aren't any original anything assuming I know I don't need the Album - or assuming I have moved the Album to another Folder?
    3. Can I basically have an organization as follows:
    A. Projects with ORIGINAL IMAGES or VIDEOS
    B. Folders with SLIDESHOWS, or ALBUMS
    Thanks a ton.
    - Jon
    1.  Yes.  Images (which I greatly prefer over "slides" -- for reasons in addition to that that is what they are called by Aperture) must be in a Project and in only one Project.  They can be in as many Albums as you want.  As someone mentions below -- Albums hold just pointers to the Images in the Projects.  If you delete an Image from an Album (Aperture will tell you your are "removing" it from the Album), all you have done is remove it from the Album.  That Image must still be in one Project.  If you delete an Image from a Project, it goes in Aperture's Trash.  If you empty the Trash, it is removed from your Library.
    2.  Yes.  Folders are just ways to group and hierachize (sorry) containers.  Again, Images "live" in a Project.  They only visit Albums.  If the Folder contains Projects, deleting those Projects will "kill" the Images they contain.  If the Folder contains Albums, deleting those Albums will only end the visit the Images were making to that Album.
    3.  Yes.  I have written quite a bit about this -- a search might turn up something worthwhile.
    Stick with what is simply -- especially as get used to Aperture.  Make very shoot a Project.  (Again, the mis-naming of "Project" is the single worst interface decision made in Aperture.)  Images or Videos -- doesn't matter.  You can think of Projects as bins that hold your originals -- just like those sleeves that used to hold your negatives when you got your prints back from the drugstore (if).
    I separate my _storage containers_ from my _output containers_.  So a shoot -- "CRJ: Mother/Child Portrait" will be imported into a Project of the same name, under a Folder called "Shoots".  Then I'll copy to an Album the Images that are being published.  In this case, the album would be in my Portraits Folder (and the name would start with the clients initials -- I don't group containers by client).
    That's just a sample.  The joy -- and part of the labor -- of Aperture is that it _is not_ a turn-key solution.  You get to (and must) build a custom structure -- presumably to meet your needs. 
    The one dictum I strongly suggest following is "One shoot = one Project".  The reason for this is that the Library is almost always confined to photographs taken by one person.  One person can _only_ shoot sequentially.  If you stick to "One shoot = one Project", you will end up with a life-long string of Projects, in sequential order.  This can never become confusing -- and that is very useful to a user of Aperture.  (But please note well that you don't have to store your Projects (or Images) by _date_.  This is hard-wired into Aperture.  Any time you want to view this life-long string of Projects, just go to Projects view, ungrouped, and sorted by date.)

  • Search by Project Name?

    Is there anyway to search for a project by name? I am pretty descriptive in my project names hoping to save the time in creating keywords for each photo. I have over 500 projects and would love to be able to do a text search of a word or two in the project title. Any ideas?

    ok, i will explain more in details,
    I have a data block contains some text boxes (sno, empno, projectno, startdate), currently, users can click the "Execute" button and return all records or users can go to Enter query mode and insert a value (search criteria) into any of these textboxes, and then they will get the required record after clicking the "Execute" button.
    I added 2 non database text boxes(date1,date2) for searching purpose, it will return all startdates located between these 2 dates. I used the following code for that and its working fine but "IT DISABLED THE OTHER SEARCHING CRITERIA (sno, empno...)" which is not good because i want a suer to have a choice.
    Declare
    where_dt varchar2(150);
    Begin
         IF :System.Mode = 'NORMAL' THEN
         set_block_property('blk_name', default_where,'');
         Else
    where_dt:='startdate between :blk_name.date1 and :blk_name.date2';
    set_block_property('blk_name', default_where,where_dt);
         End if;
    Execute_query;
    End;
    So, i edited the code to include the other criteria, users can search by one criteria only.
    Declare
    where_dt varchar2(150);
    Begin
    IF :System.Mode = 'NORMAL' THEN
    set_block_property('blk_name', default_where,'');
    Else if :System.Mode = 'Query' Then
    if :blk_name.Date1 and :blk_name.Date2 is not null then
    where_dt:='startdate between :blk_name.date1 and :blk_name.date2';
    end if;
    if :blk_name.sno is not null then
    where_dt:='sno = :blk_name.sno';
    end if;
    if :blk_name.empno is not null then
    where_dt:='empno = :blk_name.empno';
    end if;
    set_block_property('blk_name', default_where,where_dt);
    End if;
    Execute_query;
    End;
    Unfortunately, this code is not working, i am getting error.
    It points to the last "END;" and returns error: "Encountered the symbol ";" when expecting one of the following IF "
    Any help please??

  • Need help with Aperture library duplicating all 'Albums' under 'Projects' library

    Fairly new to Aperture but I've tried to search many times for solutions to this issue. 
    Scenario:  In the Library, I have 3 albums under the 'Albums' view at the bottom that I created.  They were never associated with a project so they were always kept down here.  This I believe is normal.  What is not normal is that this morning the same 3 albums started showing up in an Albums folder under one of my projects in the  'Project' view above it.  At first when I clicked on the project it showed the entire library (+20k photos) despite saying only 14 images were in this folder.  I fixed this by moving the 14 photos into a different project with a different name.  But the Albums folder remains.  It is a direct mirror of the albums below (same name, same photos), and when I delete an album from the 'Projects' view it deletes the same album below.  Same thing if I remove a picture from the album above, it does it below.  I have other albums under specific projects that do not show up under 'Albums' view in the Library.  Again I belive this is correct.
    Making this more frustrating is that I can't just simply move or delete the duplicate Albums above and it is under a 'Project' that doesn't make any sense (e.g., under a Project named 'Travel' but all albums are related to 'Birthday Parties').  I tried creating new albums and then deleting the old ones, but then it actually removes the 'Album' section of my library and I don't know how to get it back as I'd still like to keep that functionality.
    I have also repaired and rebuilt the database twice with no improvement.  One other point is that I believe this is officially an iPhoto library, but this version of Aperture and iPhoto supposedly allows for sharing without any issues.  I tried repairing via iPhoto as well, but no luck there.
    Can anyone help or suggest solutions?  Thanks in advance.

    léonie wrote:
    but then it actually removes the 'Album' section of my library and I don't know how to get it back as I'd still like to keep that functionality.
    The sections in the Library Inspector have hidden controls to Hided or Show them. The controls will appear, if you hover the mouse close to the right border of the Inspector panel. There you can toggle the visibility of the different sections on and off.
    The whole Subsection (ALBUM in ALL CAPS) is gone, no remant left (so no Hide/Unhide button).  I can hide the PROJECTS, SHARED, RECENT, ETC, but ALBUMS is again gone.
    Just to be better able to understand what is happening in your library:
    At first when I clicked on the project it showed the entire library (+20k photos) despite saying only 14 images were in this folder.
    This looks to me, like your albums were "Smart Albums" and not regular albums.   Regular albums don't change the contents, when you open them for browsing. Or reflect changes in other library items.
    What do the icons of your "albums" look like? Is there a "gears" icon on it? Then your album is a smart album, and I'd try to update the smart settings for the album/
    Nope.  No gears and I've never used a Smart Album.  They were all part of my old iPhoto library but that import was done 2-3 months ago and this issue just started today.  Right now the Album is just a folder under PROJECTS, with each individual Album beneath having icons that look like two photos stacked (i.e., normal albums).  Also, when I click on the main Album's folder it reads 'TopLevelAlbums' as the header on the top of the main section.  When I click on any other project, folder, or individual album it just reads the same name as the header....this was the first clue to me that something was wrong...besides the ALBUM folder having +20k pictures in it.
    Aperture 3.5.1 .  I'm going to try creating the new library and see if it fixes it.  Thanks for the help.

  • Filtering on "Project Name"?

    Am I blind, or is it really not possible to select, as one of the filtering criterion for smart albums, something like "Item is in Project '...'"? Even better if one could check multiple items of this type, a la "Keyword" or "Import Session".
    I find it hard to believe that Aperture can provide me with a list of Import Sessions (at least, dating back to November) but not a list of Projects in that panel?
    PowerBook G4   Mac OS X (10.4)   Aperture 1.5.2

    Smart albums work by having the scope of search set by where they are created. If you want to search your entire library, ie, all 5 stars taken this month, then click on the Library at the top of the list, then create the smart album. If you want to look in a certain project, create the smart album by clicking on the project name first.
    If you want to search multiple projects with a smart album, but not the entire library, select your library, then go to the File, New Folder option and it'll create a blue folder. These blue folders can have Projects in them. Once you've dragged all of your projects you want in to that blue folder, you can then click the blue folder and create the smart album - it'll now look for matching images from all the projects in that blue folder.

  • I just upgraded to the new Photo and find a few things missing. May find more later. My Events are gone. Also, the Albums and Projects that I created that were on the left side tab of iPhoto are now gone. Where are they?

    Where are my Events from the old iPhoto? Also, where are the albums and projects I created that were on the left side tab in my old iPhoto?

    Hersco wrote:
    After importing my iPhoto Library no Events became Albums. Some of my Albums are still Albums, but many are missing from the Albums tab and Sidebar. One of the Albums listed has no photos when it should have 142. Another is missing nearly all of its photos. I found some missing Albums by name via the search window. Yet they remain missing from the Albums tab. Very strange indeed. This is one big mess right now! Thank goodness iPhoto still works.
    Yes, it's a mess for sure, and I've lost confidence in it for now.  First attempt, 5 photos came up missing.  Delete and start over, then after second attempt 18 photos go missing.  Even one single missing photo is a real confidence breaker for me.
    After conversion, and activation of the sidebar, all of my Events were migrated into a single "Photos" Album called "iPhoto Events".  Why would I want "legacy" Events segregated into one big Album?  What the heck am I supposed to do with that?  That's useless if new photos are going to be organized in some other way moving forward.  I cannot imagine new photos automatically putting themselves into a new Event inside of the "iPhoto Events" Album... because they won't.  I'll be stuck with my old iPhoto Events in this one Album, and the new stuff organized as per Photos.  Weird, just weird.
    Also, in the "all photos" view, there are dates that are just blank.  I think I know why.  In iPhoto, I merged various photos into single Events.  For whatever reason, within the Library, this left empty folders behind.  iPhoto's fault, not mine... I simply dragged & dropped photos to combine Events.   Then during Photos import/conversion these empty folders got converted into "blank" days within Photos... this is simply ridiculous.  When programming for an import, you'd want to ignore a folder if there are no files inside of it, not convert it into a block of photos that contain no photos.  It's nonsensical... you cannot have an iPhoto Event with zero photos, yet that's what was converted over.  LOL.
    I'm certainly not going to invest the time into cleaning up and moving hundreds of Events and 18,000 photos if Photos can't even do a simple library conversion.  Heck, what about the dozens of photos that my iPhone 5S fails to geotag for whatever reason?  Can't edit geotags.  Can't bulk edit meta data.  These are pretty basic functions.  Total fail.
    I'm going back to iPhoto for a while, hoping Apple eventually cleans up this mess into something usable.

  • Add suffix to Project names?  Pre-fill Project description?

    Hi. I'm still working on my Ap3 workflow. Either of the actions in the subject would be most helpful:
    • *Add suffix to Project names*. I have 144 Projects I would like to rename by adding a few words to the end of their current names.
    • *Pre-fill Project Description*. The Project Description field can be found on the Project Information HUD ({Shift}+i with a Project selected). I would like to have all new Projects start with a default Project description. This could be put in from the import panel.
    I could alternatively make use of being able to append text to the Project Description field.
    Thanks.

    Hi Dave,
    When dealing with dropdowns the best event to use is the preOpen event. This means that there wouldn't be any script in the first dropdown.
    Then in the second dropdown you would have a relative simple script that would look back at the user's selection in the first dropdown and then populate the display items in the second dropdown.
    See examples here:
    http://assure.ly/jcTahK
    http://assure.ly/gcXx03
    http://assure.ly/fYCuQ2
    When adding an item to a dropdown, you can specify both the display item (what the user's sees) and the bound value (the value of the dropdown that is associated with the user's selection).
    So,
    this.additem("Clonmel", "(052) 1234567");
    This would add a city "Clonmel" to the dropdown and the value of the dropdown would be "(052) 1234567", if the user selected Clonmel.
    The textfield can then be given the same name as the dropdown and its binding set to Global (see the object > Binding palette when the textfield is selected).
    Hope that helps,
    Niall

  • Updating a project name

    If I change the project name and project description in Document Info, it is not being updated in the window header when previewing or publishing. I have tried deleting the old text, saving, and then even closing the project and reopening, but it still displays the original text. Any ideas?
    Thanks

    Hi there
    File > Project Settings?
    Cheers... Rick
    Begin learning RoboHelp HTML 7 within the day - $24.95!
    Click here for Adobe Authorized Captivate and RoboHelp HTML Training
    Click here for the SorcerStone Blog
    Click here for RoboHelp and Captivate eBooks

  • Circle next to Project name

    I have an open circle at the right edge of the Project name. What does it mean? The circle is outlined in gray and the rest is the background darker gray color. I roll over it and nothing pops up. If I click on the project name as if to change the name, the edit box covers the circle.

    Yes, that looks like a beginning import or an incomplete sync with a Facebook, Flickr, or Mobile Me  album.
    MtnBiker, have you checked, if all images in your project have been imported correctly, or are images missing? If you interrupted an import and images are still waiting to be imported, I'd connect the camera, card reader, or disk again to let the import finish.
    If your project is synced with any online account, check the settings for this account in the web preferences and your internet connection to let the sync complete.
    If your project does not need in import or sync to finish, it may be a question of broken preferences, like Kirby suspects, but also an inconsistency in the Aperture library. Then I'd repair the Aperture library in any case, in addition to Kirby's recommendation to trash the preferences.

  • How to add folder/project name to a File Naming preset

    Here's a tip to automatically add the name of the Project or its parent Folder to the filename during Import or Batch Change.
    I always used a custom field for adding my client's name to the filename upon Import or Batch Changing versions or masters. But often I would forget to change the custom name, and since it's auto-populated with the previous entry, I'd end up with a bunch of files with the wrong client's name on them. That looks kind of bad. So once I saw with Aperture 3 you can add the Project name or Folder name when relocating referenced files to the new folder structure, I was excited to be able to do the same for the filenames at import. Well, no such luck. They're not an option when you create a custom File Naming preset.
    However, I recently decided to poke around inside some plist files, and found a workaround. I discovered the format string for Folder Name is %F and Project Name is %P. The trick is getting the code into the Format Field where you create the preset.
    Create a new File Naming preset by choosing "edit" from the Version Name menu during Import or Batch Change. Drag everything you want in the name into the Format field, and enter %F or %P where you want the Folder or Project name. The tricky part is that you can't insert it between two existing criteria. It only works at the very end. After you have it in place, you can drag the criteria around to get it in the order you want.
    The alternative method is to insert the code directly into the plist. PLEASE, always make sure you're working with a copy and have a good backup when you're poking around in such things. If you have trouble getting the code to take from within Aperture, you can try this. Same as above, create a new preset, but this time, enter an F or P where you want the Folder or Project name. Give it a unique preset name and save it. Then Quit Aperture. Navigate to ~/Library/Application Support/Aperture/FileNamingPresets.plist, and make a copy of the file, then open with Property List Editor. Dropdown the plist and then dropdown the item you want to edit. You should recognize it by the preset name. Now the easy part. Click in the FormatString field and insert the % character before the F or P you entered in the Format field. Save and you're done.
    I discovered later that while the Folder and Project name works just fine during import, for some reason only the Project name works during Batch Change. The Folder name simply creates a "-" in the filename.
    In case this is seen as a hack and gets deleted, I'm also submitting it to http://www.macosxhints.com/ and I suspect if anyone from MacCreate sees it, they'll steal it too, as they're known to do.

    I do not think there is an out of the box way to do this.
    The immediate solution that comes to mind is using a workflow, that runs everytime  a document is uploaded/item created, which may be too much for your scenario.
    Cheers,
    Prasanna Adavi, Project MVP
    Blog:
      Podcast:
       Twitter:   
    LinkedIn:
      

  • Ive deleted contacts from my contacts list but they still pop up when i go to text and type in the name of a current contact. .  How can i delete them off my phones memory for good?

    Ive deleted contacts from my contacts list but they still pop up when i go to text and type in the name of a current contact. .  How can i delete them off my phones memory for good? iPhone 4S

    At the present time, the only way to clear that is to restore the phone as new.  Perhaps a future iOS update will give us the option to clear that cache.

  • PWA 2010 error when i try to open the project name in Project Center

    Hi, this is my first post.
    Im having a trouble with our Project Server, when i try to open the project name in Project Center it gives me an error like this:
    ProjectServerError(s) LastError=GeneralUnhandledException Instructions: Pass this into PSClientError constructore to access all error information 
    Stack Trace: 
    [SoapException: ProjectServerError(s) LastError=GeneralUnhandledException Instructions: Pass this into PSClientError constructore to access all error information]
       Microsoft.Office.Project.Server.WebServiceProxy.PWA.WorkflowGetProjectDrilldownInformation(Guid projectUid, String userPropToClear, Boolean bCheckOutProject) +401
       Microsoft.Office.Project.PWA.ApplicationPages.ProjectDrillDownPage.OnLoad(EventArgs e) +822
       System.Web.UI.Control.LoadRecursive() +66
       System.Web.UI.Page.ProcessRequestMain(Boolean includeStagesBeforeAsyncPoint, Boolean includeStagesAfterAsyncPoint) +2428
     And also when i try to open the document that associated with the project in project center it gives me an error like this :
    Exception Details: System.Web.Services.Protocols.SoapException: ProjectServerError(s) LastError=GeneralUnhandledException Instructions: Pass this into PSClientError constructore
    to access all error information
    Source Error:
    Line 12: bool LoadLinkItemsPage = (Request.QueryString["Task"] != null);
    Line 13:
    Line 14: ProjectWSSInfoDataSet ds = PJContext.Current.PSI.WssInteropWebService.ReadWssData(ProjectGuid);
    Line 15: if (ds != null && ds.ProjWssInfo.Rows.Count > 0)
    Line 16: {
    Source File: c:\Program Files\Common Files\Microsoft Shared\Web Server Extensions\14\TEMPLATE\LAYOUTS\PWA\COMMON\wssnav.aspx    Line: 14 
    Stack Trace:
    [SoapException: ProjectServerError(s) LastError=GeneralUnhandledException Instructions: Pass this into PSClientError constructore to access all error information]
    Microsoft.Office.Project.Server.WebServiceProxy.WssInterop.ReadWssData(Guid projectUID) +377
    ASP._layouts_pwa_common_wssnav_aspx.PJWebPage_OnLoad(EventArgs e) in c:\Program Files\Common Files\Microsoft Shared\Web Server Extensions\14\TEMPLATE\LAYOUTS\PWA\COMMON\wssnav.aspx:14
    Microsoft.Office.Project.PWA.PJWebPage.OnLoad(EventArgs e) +67
    System.Web.UI.Control.LoadRecursive() +66
    System.Web.UI.Page.ProcessRequestMain(Boolean includeStagesBeforeAsyncPoint, Boolean includeStagesAfterAsyncPoint) +2428
    has anyone experienced this
    before and might be able to help? Thank you!

    For what it's worth, given the age of this question, I've found that stopping and starting the Project Application Service on each server via Central Admin is less disruptive to the rest of your farm when using Project Server in a larger SharePoint
    farm.
    IISRESET will cause active user sessions to be disconnected and could result in lost data.
    I also found that recycling the app pool associated with my Project Server web application in IIS and restarting the web site did not resolve this situation so the IISRESET is not a guaranteed fix.
    Targeting only the Project Application Service from Central Admin removes this minor risk and actually restored access to our Project Sites.
    N03L.

  • Is it possible to change the formatting of all text captions in a project?

    Hi there.
    I'm wanting to change the following formatting options on all text captions in my projects:
    Caption type
    Font
    Font size
    Font colour
    Spacing
    Is there any way of changing these for all text captions, or do I have to change them individually? I've tried changing the options in the object style manager, but I think that only works for when you're creating a new text caption, not for existing ones.
    I'm using Captivate 7.
    Thanks.

    It depends: are you using the default style for Text Captions? In that case you can change the default style in the Object Style Manager and have it applied to all Captions.
    Or you can change one text caption, and in its Properties panel choose the option 'Save Changes to existing style' from the menu top right (see screenshot). Both methods will work if you didn't override the default Caption Style for those captions. Beware: Quizzing objects can use another style.

Maybe you are looking for

  • ITunes Season Passes automatic downloads no longer supported

    I have been informed by Apple Customer Care (case: 267781180) that automatic downloads (including using the 'check for available downloads' menu option) are no longer supported for season passes on the iTunes store.  This means you have to manually g

  • How to display my input history values on Filename filed (selection screen)

    Hi All, Please let me know how to display my input history values under the field of selection screen. I created Zprogram as below. SELECTION-SCREEN BEGIN OF BLOCK B1 WITH FRAME TITLE TEXT-001.   PARAMETERS: P_FILE  TYPE RLGRAP-FILENAME OBLIGATORY. S

  • Photos messed up in my catalog now that I'm using Trial of LR5

    I recently started a trial of LR5.  I chose to update my LR4 catalog to be used in LR5, but first I copied the whole Lightroom folder for back-up.  So several of my photos in the updated catalog are messed up and say their's an error accessing them. 

  • How do I connect my iPod to Windows??

    I Have this problem and I don´t know if this is the right place to ask. Anyway, I had My ipod formated on a Mac, but since in my school all they have are PCs i figured that I could sync, Charge and even listen there (I have the manually manage songs

  • Strange Get-EventLog Error

    Hi, Scripting guru! I try to execute command: Get-EventLog-LogNameSecurity-Newest5 And get error: Get-EventLog : Log "Security" could not be read to completion due to the following error. This may have occurred because the log was cleared while still