Using IPTC/Dublin Core information

Hi!
I am in process of building a slideshow with Encore, my pictures have description information, wich can be seen in the Dublin Core section of the metadata.
Is it a way to get them ii the slideshow, with out retyping them.
Thanks
Edgar

Strange? No. Metadata interchange with content is not common. But becoming more so? Certainly the presence of metadata is growing by leaps and bounds, and I suspect we would all like to see access to it.
But submitting a feature request is the current status of this. I just submitted one for this!
I would be surprised is there is not a free tool out there somewhere that will extract such info to a text file, but I have not researched. Let us know if you find one.

Similar Messages

  • Enter Dublin Core XMP in Bridge metadata window

    Someone in the general discussion area suggested I cross-post this question here:
    I'm trying to find the best way to add some Dublin Core into TIFF files. Basically I'd like to add data to the dc:identifier and dc:relation fields while I'm adding other data in Bridge.  Is there a way to create a tab for Dublin Core in the metadata window?
    Currently we're using Bridge and IPTC core was working okay, but now we need to add some metadata that would fit better in Dublin Core.  I know it has a namespace in XMP, but can't figure out a way to use Bridge or Photoshop to enter it.
    I have tried to adapt a script created by Paul Riggott in this thread, but have been unable to make it work.
    I also tried the "add identifier" script in this thread, but I'm not seeing how it works... probably because it was written for the Mac and I'm working in Windows. Any suggestions?
    Thanks.

    Sorry, I should probably include the code as I amended it:
    // ADOBE SYSTEMS INCORPORATED
    // Copyright 2008 Adobe Systems Incorporated
    // All Rights Reserved
    // NOTICE:  Adobe permits you to use, modify, and distribute this file in accordance with the
    // terms of the Adobe license agreement accompanying it.  If you have received this file from a
    // source other than Adobe, then your use, modification, or distribution of it requires the prior
    // written permission of Adobe.
    @fileoverview Shows how to create a TabbedPalette in Bridge with ScriptUI components.
    @class Shows how to create a TabbedPalette in Bridge with ScriptUI components.
    <h4>Usage</h4>
    <ol>
    <li>    Run the snippet in the ExtendScript Toolkit (see Readme.txt), with Bridge CS4 as the target.
    <li>You should find that a tabbed palette has been added to the Bridge browser window.
    </ol>
    <h4>Description</h4>
    <p>Adds a script-defined tabbed palette to the Bridge browser window. 
    <p>The palette is of the "script" type, and contains ScriptUI components,
    text fields and buttons. The buttons have event handlers that
    change the values in the text fields.
    <p>The new palette appears in the default upper-left position in the browser. It can be
      dragged to other positions. <br />
    @see SnpCreateWebTabbedPalette
    @constructor Constructor.
    function SnpCreateTabbedPaletteScriptUI()
         The context in which this snippet can run.
         @type String
        this.requiredContext = "\tExecute against Bridge main engine.\nBridge must not be running";
        $.level = 1; // Debugging level
        this.paletteRefs = null;
    Functional part of this snippet. 
    Creates the TabbedPalette object, defining the content with
    ScriptUI components, and adds the palette to all open Bridge browser windows.
        @return True if the snippet ran as expected, false otherwise. 
        @type Boolean
    SnpCreateTabbedPaletteScriptUI.prototype.run = function()
        var retval = true;
        if(!this.canRun())
            retval = false;   
            return retval;
        this.paletteRefs = new Array();
        var wrapper = this;
        // Create and add the TabbedPalette object and its contents.
        function addScriptPalette(doc)
            // Create the TabbedPalette object, of type "script"
            var scriptPalette = new TabbedPalette( doc, "SnpCreateTabbedPaletteScriptUI", "SnpSUIPalette", "script" );
            wrapper.paletteRefs.push(scriptPalette);   
            // Create a ScriptUI panel to be displayed as the tab contents.
            var tbPanel = scriptPalette.content.add('panel', [25,15,255,130], 'The Panel');
            // Add the UI components to the ScriptUI panel
            tbPanel.txtFieldLbl = tbPanel.add('statictext', [15,15,105,35], 'Times Clicked:');
            tbPanel.txtField = tbPanel.add('edittext', [115,15,215,35], '0');
            tbPanel.addBtn = tbPanel.add('button', [15,65,105,85], 'Add');
            tbPanel.subBtn = tbPanel.add('button', [120, 65, 210, 85], "Sub");
            // Define event listeners that implement behavior for the UI components
            tbPanel.addBtn.onClick = function()
    // This only works on bridge!!
    loadXMPLib();
    // Here put the namepace and the prefix (you can create also your own new namespace and prefix)
    // In this case, it uses the Dublin Core Properties
    var psNamespace = "http://purl.org/dc/elements/1.1/";
    var psPrefix = "dc:";
    XMPMeta.registerNamespace(psNamespace, psPrefix);
    // Here you have to choose 1, 2, or multiple thumbnails. In this case it chooses all tiff files found on content pane.
    var sels = app.document.visibleThumbnails;
    for (var b in sels) {
        // Here I choose tif files, but you can set (cr2|raw|dng|nef/jpg) for raw and jpg files leave it empty for any file except folders
        if (sels[b].spec instanceof File && sels[b].name.match(/\.(cr2|raw|dng|nef)$/i)) {
            var xmp = new XMPMeta(sels[b].synchronousMetadata.serialize());      
            // I can create new Properties in Dublin Core and add values to them
            xmp.setProperty(psNamespace, "MyProp01", 'some text here');
            xmp.setProperty(psNamespace, "MyProp02", 'false');
            xmp.setProperty(psNamespace, "MyProp03", '32895665');
            xmp.setProperty(psNamespace, "MyProp04", 'label2');
            // Or, you can use the DublinCore native properties.
            // In this case, I want to ADD some text to 'Descrition' existing text ('Description is a 'langAlt' property)
            // First, I read any Descrition value and add it to a var
            var Description =  xmp.getArrayItem(XMPConst.NS_DC, "description",1);
            // Then I add may new tex to that existing value:
            // (I wanted to put the return '\r' (or new line '\n') to add new paragraphs in the middle of text: "\rline2\rline3")
            xmp.setLocalizedText(XMPConst.NS_DC, "description", null, "x-default", Description + "\rlinha2\nlinha3");
            // If you want to delete any existing value and create new value directly use this instead:
            // xmp.setLocalizedText(XMPConst.NS_DC, "description", null, "x-default", "Nota");
            var updatedPacket = xmp.serialize(XMPConst.SERIALIZE_OMIT_PACKET_WRAPPER | XMPConst.SERIALIZE_USE_COMPACT_FORMAT);
            sels[b].metadata = new Metadata(updatedPacket);
    unloadXMPLib();
    // Functions needed:
    function loadXMPLib() {
        if( xmpLib == undefined ) {
              if( Folder.fs == "Windows" ) {
                  var pathToLib = Folder.startup.fsName + "/AdobeXMPScript.dll";
              } else {
                  var pathToLib = Folder.startup.fsName + "/AdobeXMPScript.framework";
              var libfile = new File( pathToLib );
              var xmpLib = new ExternalObject("lib:" + pathToLib );
    function unloadXMPLib() {
        if ( ExternalObject.AdobeXMPScript ) {
            try {
                ExternalObject.AdobeXMPScript.unload();
                ExternalObject.AdobeXMPScript = undefined;
            }catch (e) { }
            tbPanel.subBtn.onClick = function()
                var txt = tbPanel.txtField;
                txt.text = parseInt(txt.text) - 1;
        // Add the palette to all open Bridge browser windows
        for(var i = 0;i < app.documents.length;i++)
            addScriptPalette(app.documents[i]);
        return retval;
      Determines whether snippet can be run given current context.  The snippet
      fails if these preconditions are not met:
      <ul>
      <li> Must be running in Bridge
      </ul>
      @return True is this snippet can run, false otherwise
      @type boolean
    SnpCreateTabbedPaletteScriptUI.prototype.canRun = function()
        // Must run in Bridge
        if(BridgeTalk.appName == "bridge")
            return true;       
        // Fail if these preconditions are not met. 
        // Bridge must be running,
        $.writeln("ERROR:: Cannot run SnpCreateTabbedPaletteScriptUI");
        $.writeln(this.requiredContext);
        return false;
    "main program": construct an anonymous instance and run it
      as long as we are not unit-testing this snippet.
    if(typeof(SnpCreateTabbedPaletteScriptUI_unitTest) == "undefined") {
        new SnpCreateTabbedPaletteScriptUI().run();

  • Updating XMP Dublin Core using Adobe Acrobat 5.0?

    I am very interested in using XMP to better describe my documents; I've also read that Adobe Acrobat 5.0 supports XMP. As such, how would I go about modifying the values of the Dublin Core properties using Acrobat 5.0?

    Dublin Core is a standard schema with set properties and associated values. There's a bunch of them including Graphics, Basic (xap), Media Management, and so on. They're described by a unique name(space) called a URI and not meant to be messed with, otherwise they would not be standards. In order to do what you want today you have to create your own schema namespace, properties associated with it, and values associated with the properties. In order to get them integrated into Acrobat, or any application, you have to build a plug-in that reads and writes the metadata to the pdf or eps output files.

  • How can I filter based on the IPTC core information?

    How can I filter based on the IPTC core information? (CS6)

    "Substitution Variables" can do what you are asking for.

  • Problems with Custom File Info Panel and Dublin Core

    I'm creating a custom file info panel that uses the values of the dublin core description and keywords (subject) for two of it's own fields.  I'm having problems with the panel saving if they enter the description on the custom panel first, and with the keywords not echoing each other, or reappearing after a save.<br /><br />Here is the code for the panel<br /><br /><?xml version="1.0"><br /><!DOCTYPE panel SYSTEM "http://ns.adobe.com/custompanels/1.0"><br /><panel title="$$$/matthew/FBPanelName=Testing for Matthew" version="1" type="custom_panel"><br />     group(placement: place_column, spacing:gSpace, horizontal: align_fill, vertical: align_top)<br />     {<br />          group(placement: place_row, spacing: gSpace, horizontal: align_fill, vertical: align_top)<br />          {<br />               static_text(name: '$$$/matthew/keywords = Keywords', font: font_big_right, vertical: align_center);<br />               edit_text(fbname: '$$$/matthew/keywordsFB = Keywords', locked: false, height: 60, v_scroller: true, horizontal: align_fill, xmp_ns_prefix: 'dc', xmp_namespace: <br />'http://purl.org/dc/elements/1.1/', xmp_path: 'subject');<br />          }<br />          group(placement: place_row, spacing: gSpace, horizontal: align_fill, vertical: align_top)<br />          {<br />               static_text(name: '$$$/matthew/description = Description', font: font_big_right, vertical: align_center);<br />               edit_text(fbname: '$$$/matthew/descriptionFB = Description', locked: false, height: 60, v_scroller: true, horizontal: align_fill, xmp_ns_prefix: 'dc', xmp_namespace: <br />'http://purl.org/dc/elements/1.1/', xmp_path: 'description');<br />          }<br />          group(placement: place_row, spacing: gSpace, horizontal: align_fill, vertical: align_top)<br />          {<br />               static_text(name: '$$$/matthew/season = Season', font: font_big_right, vertical: align_center);<br />               popup(fbname: '$$$/matthew/seasonFB = Season', items: '$$$/matthew/Season/Items={};option 3{option 3};option 2{option 2};option 1{option 1}', xmp_namespace:'http://monkeys.com/demo/testingmatthew/namespace/', xmp_ns_prefix:'matthew', xmp_path:'season');<br />          }<br />          group(placement: place_row, spacing: gSpace, horizontal: align_fill, vertical: align_top)<br />          {<br />               static_text(name: '$$$/matthew/ltf = Limited Text Field', font: font_big_right, vertical: align_center);<br />               edit_text(fbname: '$$$/matthew/ltf = Limited Text Field', locked: false, horizontal: align_fill, xmp_namespace:'http://monkeys.com/demo/testingmatthew/namespace/ ', <br />xmp_ns_prefix:'matthew', xmp_path:'ltf');<br />          }<br />     }<br /></panel><br /><br />Thanks for the help

    To answer my own question:
    The documentation really sucks.
    I found this reply from Adobe <http://forums.adobe.com/message/2540890#2540890>
    usually we recommend to install custom panels into the "user" location at:
    WINDOWS XP: C:\Documents and Settings\username\Application Data\Adobe\XMP\Custom File Info Panels\2.0\panels\
    WINDOWS VISTA: C\Users\username\AppData\Roaming\Adobe\XMP\Custom File Info Panels\2.0\panels\
    MAC OS: /user/username/Application Data/Adobe/XMP/Custom File Info Panels/2.0/panels/
    The reason why your panels did not work properly was a missing Flash trust file for that user location. Without such a trust file the embedded flash player refuses to "play" your custom panel.
    Please see section "Trust files for custom panels" in the XMPFileInfo SDK Programmer's Guide on page 50 for all details on how to create such trust files.
    After many wasted hours I have now the simple panels running.
    Cheers,
    H.Sup

  • Using both CPU cores on Zynq?

    Hi,
    Has anyone tried to use both cpu cores of zynq?
    I did not find any example from Xilinx, only related information
    in "Zynq-7000 EPP Technical Reference Manual UG585 (v1.2)".
    It says that cpu0 must do these two things:
    1. Write the address of the application for CPU1 to 0xFFFFFFF0.
    2. Execute the SEV instruction to cause CPU1 to wake up and
    jump to the application.
    Found a "dual cpu demo" example on ARM web-site:
    http://www.arm.com/files/pdf/ZC702_DS5_2.pdf
    However, the attached source code doesn't do any of the
    above two actions. How can the second cpu start then?
    Regards,
    Pramod Ranade
     

    Thank you j, for the suggestions.
    I was basically trying with baremetal/baremetal.
    First I used "hello world" example for CPU0, it
    works fine. Then I added another "hello world",
    but now for CPU1. Then I edited it's main() and
    removed the initialization part and also the
    printf("hello world"). Instead, I simply declare
    a pointer to some memory location. And in an
    infinite loop, I keep incrementing the value
    pointed by that pointer.
    The "hello world0" on the other hand has been
    modified to write start address of the "hello world1"
    to location 0xFFFFFFF0 and then a simple "SEV".
    Then the program reads the same memory
    location (which is being incremented by CPU1)
    and prints it's value to UART. I was expecting that
    the value will be seen increasing...but I see it
    constant.
    For the shared memory location, I tried 0x00700000
    which is in DDR RAM. I also tried 0xFFFFE000 which
    is in OCM. Neither worked...
    I suspect, CPU0 needs to something more than just
    writing CPU1 start address to 0xFFFFFFF0 and then
    issuing a SEV. But I could not find any more information.
    Nor can I find any example that uses both CPU cores.
    Regards,
    Pramod Ranade
     

  • Dublin Core XMP is not stamped

    For some reason Dublin Core XMP is not stamped to this image unless you open this image in Photoshop, re-save it and then it begins to work. Apparently, Photoshop corrects something in this image file but I am not sure what that is at this point.  Any information you can share about possible causes and solutions would be extremely helpful.

    For some reason Dublin Core XMP is not stamped to this image unless you open this image in Photoshop, re-save it and then it begins to work. Apparently, Photoshop corrects something in this image file but I am not sure what that is at this point.  Any information you can share about possible causes and solutions would be extremely helpful.

  • WLCS and Dublin Core

    I was looking at the docs for WLCS, specifically the Product catalog
    schema:
    http://e-docs.bea.com/wlcs310/catalog/schema.htm
    .. and saw the reference to Dublin Core. I'm no expert with regards to
    the Dublin Core initiative, but are there any documents/notes which
    explain which specific Dublin Core Document/Recommendation that the
    product catalog schema is specifically referring to? ... and how they
    are related to each other?
    .. and what happens if you need (oh, no) to modify the schema to your
    specific needs (are you even allowed to do that at all? ... as the code
    in WLCS, I assume, is 'tied' to that schema? )
    Thanks,
    John

    Hi,
    I am not an expert of Oracle XMLDB, but I am replying your problem becuase I also faced the similar problem, and I managed to solve that.
    You dont need to register xml.xsd, it is pre-registered in oracle. In OEM, you can see it registered under XDB schema.
    The problem you are facing has to do something with the Oracle version you are using. If it is pre-version than 9.2.0.3.0, you need to upgrade it to at least 9.2.
    0.3.0. I hope it will solve the reference to lang problem.
    You can also check with the problem statement I posted under the subject "registering GML schemas" in this forum.
    Good luck.
    Vik

  • Firefox is already running, but is not responding. To open a new window, you must first close the existing Firefox process, or restart your system. I have a wndiws 7 system and use a Intel core processor. I have restarted several times and still ge this

    Firefox is already running, but is not responding. To open a new window, you must first close the existing Firefox process, or restart your system. I have a wndows 7 system and use a Intel core processor. I have restarted several times and still ge this error. I have also tried to reinstall firefox and get the same error
    == This happened ==
    Every time Firefox opened
    == today ==
    == User Agent ==
    Mozilla/4.0 (compatible; MSIE 8.0; Windows NT 6.1; Trident/4.0; SLCC2; .NET CLR 2.0.50727; .NET CLR 3.5.30729; .NET CLR 3.0.30729; Media Center PC 6.0; MDDS; InfoPath.2; .NET4.0C; AskTbUT2V5/5.8.0.12304)

    <u>'''Kill Application'''</u>
    In Task Manager, does firefox.exe show in the <u>'''Processes'''</u> tab?
    See: [http://kb.mozillazine.org/Kill_application Kill Application]
    '''<u>Causes and solutions for Firefox hanging at exit:</u>'''
    [[Firefox hangs]]
    [http://kb.mozillazine.org/Firefox_hangs#Hang_at_exit Firefox hangs at exit]
    [[Firefox is already running but is not responding]]
    <u>'''Safe Mode'''</u>
    You may need to use '''[[Safe Mode]]''' (click on "Safe Mode" and read) to localize the problem. Firefox Safe Mode is a diagnostic mode that disables Extensions and some other features of Firefox. If you are using a theme, switch to the DEFAULT theme: Tools > Add-ons > Themes <u>'''before'''</u> starting Safe Mode. When entering Safe Mode, do not check any items on the entry window, just click "Continue in Safe Mode". Test to see if the problem you are experiencing is corrected.
    See:
    '''[[Troubleshooting extensions and themes]]'''
    '''[[Troubleshooting plugins]]'''
    '''[[Basic Troubleshooting]]'''
    If the problem does not occur in Safe-mode then disable all of your Extensions and Plug-ins and then try to find which is causing it by enabling <u>'''one at a time'''</u> until the problem reappears. <u>'''You MUST close and restart Firefox after EACH change'''</u> via File > Restart Firefox (on Mac: Firefox > Quit). You can use "Disable all add-ons" on the Safe mode start window.

  • How do you use the Multiple Item Information dialog box ???

    How do you use the Multiple Item Information dialog box ???
    Where are the instructions on how the information in the Multiple Item Information dialog box equates to ...
    1. The way iTunes sorts tracks and albums
    2. The reason to select a leading check box
    3. Why there are Option selections (Yes /No) and leading check boxes.
    4. Why some changes remain in the track info, but do not "take effect" in iTunes (Part of a compilation is an example)
    Looked in Help, Support, went to the local Genius bar for an hour, even arrainged a call from apple support ...
    Thanks

    As Christopher says, it's a compilation. Different tracks are by different artists.
    Setting the *Album Artist* field to *Various Artists* and setting *Part of a compilation* to Yes should be all that is required. Depending on your *Group compilations when browsing* setting ( I recommend On ) either should suffice but I suggest doing both.
    Based on your commentary, I selected all the "O Brother" tracks, and checked the boxes for everything line that was blank in the Info and the Sort panes. Only exceptions were the album name and the disc number 1 of 1 and the artwork. I blanked and checked anything else.
    That's not what I meant. When you select multiple tracks, only those values which +are already common+ to all tracks are displayed. Typically these will include Artist, though not with compilation albums, Album Artist, Album, No. of Tracks, Genre plus various sort fields. A blank value may indicate that different tracks have different values or it may be that the value is blank for all tracks. For the drop down values on the Options tab the value shown may not reflect the information in every tag. If values you expect to be common, such as Album Artist or the Album title are not displayed you can simply type these in and click OK. This will often be enough to group the album.
    If you place a checkmark against the blank boxes and apply changes then you will clear those fields so you should only do this if that is the effect you want. Putting a checkmark next to an empty (representing different values) *Track No.* box, for example, will just clear the all the track numbers which is very rarely useful.
    Adding then removing extra text is for a specific problem where despite all common values being identical across the tracks of the album iTunes seems to "remember" that it should see two albums. A typical example would be when an album originally listed as *Album CD1* & *Album CD2* is given disc numbers X of Y and then has the Album name changed to Album. I've seen iTunes merge all but one track into the new album, but insist on listing one remaining track separately, despite both albums having the same title. In this case I've found overtyping the album title again has no effect whereas changing it to AlbumX and then back to Album does what I was trying to achieve in the first place.
    Don't forget that even properly organsied albums may still break up if you don't chose an album-friendly view. Sorting on the track name or track number columns can be useful in some circumstances but in general I revert to Album by Artist when browsing through my library.
    tt2

  • If I completely fill my hard drive 500Gb how time machine will keep working having 1Tb of total space, I mean I have to delete mu hard drive but how I keep my previous information on time machine and keep using to with new information?

    If I completely fill my hard drive 500Gb how time machine will keep working having 1Tb of total space [externak hard drive], I mean I have to delete my hard drive but how I keep my previous information on time machine and keep using it with new information?

    Time Machine does not provide archival storage.
    If you delete a file from your disk it will eventually be deleted from your TM backup without any notice to you.
    You need a second external disk to use for archival storage.
    You also need a third disk for backups of the second disk.

  • Adding Dublin Core metadata to the XMP namespace in Bridge CS5

    I have tried to adapt a script created by Paul Riggott in another thread/discussion, but have been unable to make it work.
    Basically I'd like to add data to the dc:identifier and dc:relation fields while I'm adding other data in Bridge.  Is there a way to create a tab for Dublin Core in the metadata window?
    I also tried the "add identifier" script in this thread/discussion, but I'm not seeing how it works... probably because it was written for the Mac and I'm working in Windows.
    Any suggestions? Thanks.

    You might try the scripting forum at http://forums.adobe.com/community/bridge/bridge_scripting?view=discussions

  • My internal drive is NOT showing up in the event library in Final Cut X.  I am also getting a "The operation couldn't be completed. Cannot allocate memory" Any ideas? I am using an IMAC Core i7 with 8GB memory, OS version 10.6.8

    My internal boot drive is NOT showing up in the Event Library in Final Cut X. My external raid drive is showing up.
    I am also getting error message "The operation couldn’t be completed. Cannot allocate memory"  when attempting to create a new "event".   Any ideas?
    If I had a application disk, I would unistall and reinstall FCPX.  I am assuming there is a way do do this without a disk - just have not been able to easliy find out how.
    I am using an IMAC Core i7 with 8GB memory, OS version 10.6.8
    Thanks

    Well it did NOT work.  Here is a screen capture as FCPX loads showing the drive while it loads. Then when it is loaded, NO drive showing up in the Event Library ( I have turned off the external drive).
    ANY ideas . . . .  Anybody . . . .  APPLE?

  • Using Motu DP and Logic Together - More use of all cores on the PPC Quad

    Since there's been some talk about how DP uses four cores on the PPC quad lately I thought I might add what I've been doing to take advantage of untapped processing power. If you have DP (I am running 4.5) you can run it alongside Logic Pro and use interapplication midi (built into Logic and DP) to play Logic's instruments from midi tracks in DP. This is fairly easy to set up in the environment.
    With all of my audio recorded in DP I can use all my nice AU plugs there and benefit from DP's use of 4 cores - something I can't do with just the "node trick" in Logic. Logic is then just playing the role of audio instrument slave.
    I tend not to like or use most of Logic's processing plugs for audio, but they are fine to process Logic's instruments with so this works well.
    The exceptions are Space designer and the tape delay which I still use on recorded audio. To use these with audio recorded in DP I use Jack and/or Soundflower to virtually "patch" the audio through Logic and back to DP. I have no idea what this does to latency but who the heck cares with reverb and tape delay?
    Of course I have and like DP so this is worth doing in my case.

    Jack is more flexible than Soundflower. The latter sets up less output channels that afford you less possibilities. But, both have worked for me.
    True that, in the beginning Jack was a little funky to use but that ended when I set up an agregate device driver for core audio.
    As a new feature in one of the Tiger updates (I can't remember which one) you can now set up such a so called agregate core audio device and select that as your device driver in both Logic and DP. So for example I use a MOTU 828 as one of my tried-and-true firewire in/out boxes. So I setup an agregate device in core audio with this Motu unit and Jack (called it Motu 828/Jack OS)and then I selected it in Logic and DP. Otherwise I just had to select Jack (and not the MOTU) as my only output device in Logic and then route ALL audio through it just to get it in and out of the MOTU which was a pain since I couldn't have direct acces to my Motu ins and outs in Logic anymore. Jack became the go- between for everything. That was enough to make me give up.
    But using the agregate device saved the day. I now see all of my old MOTU ins and outs in Logic and DP plus Jack's virtual ins and outs which I can then use to patch between the programs. This has worked perfectly fine.
    Soundflower can be used similarly but you will just have less virtual outs and ins to deal with and you lose the intermediate step that you have in Jack where you connect the virtual ins to the virtual outs at will. It's done automatically. So this can be easier of course. Or, it can allow for less flexibility. Hope this helps.

  • Second mac in cluster uses only one core

    Hello all. For some reason the second computer in my render farm is using only one core out of eight.
    I'm using 2 Mac Pros linked together directly via giga ethernet wire. Mac one is a Quad Core 3ghz. Mac two is a Octo Core 2009 model. Both computers have the same version of FCS3 with different serial numbers.
    In the Qmaster preferance pane: Mac one is set to "Quickcluster with services" with the check boxes for Share and Managed next to "Distributed processing for Compressor" checked. 4 instances selected and "Include unmanaged services from other computers" checked. Mac two is set to "Services only" with check box for Share next to "Distributed processing for Compressor" checked. 8 instances selected and "Include unmanaged services from other computers" checked.
    I hit submit in Compressor, select the name of the cluster from Mac one, then in the Batch Monitor I see the video divied into 10 sections with Mac one handling 4 and Mac two handling one. On Mac two I see that the cores aren't fired up 100%, more like 30% on average.
    I did a test earlier with a dual core mbp, and again only one core. How do I get my Octo core to use all 8 cores?

    Solved the problem. The solution was simple, but somehow went under my radar. On Mac two in the Qmaster preferance pane next to the "Options for selected service" button, the selected service was set to off.
    Duh

Maybe you are looking for