Asset Manager Packaged Application

Hi,
I need to get a copy of the Asset Manager Packaged Application but it has been removed from the Packaged Applications page
http://www.oracle.com/technetwork/developer-tools/apex/application-express/packaged-apps-090453.html
Does anyone have a copy of the demo on apex.oracle.com that I can get to?
Many Thanks
Paul

Hi Moe,
APEX 4.2.2 is not missing a packaged application - the "Asset Manager" package application has not been scheduled for release yet.  Although that packaged application name was referred to on Marc's slide deck, it has not yet been made available.  Please note the safe harbor slide, slide 3, in that slide deck, which essentially states that the information contained in the slide deck is not a commitment to deliver.
All packaged applications available in your instance are listed under the "Packaged Applications" tab. During an upgrade process, any new packaged applications will be added to that list.  You don't need to do any additional steps during an upgrade.  Although "Asset Manager" is not yet available, you may find it useful to review the available applications, where you may find one that meets your requirements.
I hope this helps.
Regards,
Hilary

Similar Messages

  • Asset Manager sample - Custom Query Interface

    Greetings Ladies & Gentlemen -
    I've pretty much reproduced a custom query page in my application
    (copied from the Asset Manager sample application) and it seems to
    perform as expected - well almost !
    When I arrive at the page I get an error message where the
    report would display that reads -
    failed to parse SQL query : ORA - 00936 : missing expression.
    It goes away when I press the Go button, and it reappears when I press
    the Reset button.
    I've set the default for the shuttle and I've created all the same processes for the page.
    Any ideas where this page needs to be corrected ?
    Thanks for your valuable time in advance.
    Brian

    Any suggestions?

  • Load swf into RAM via an asset manager

    Hi.
    I have an AS3 virtual world and we are continually loading external resources such as swfs and sounds.
    A few of my menu screens that take a damn long time to load. Read a tut that said we should load them into RAM using an asset manager.
    I'm assuning the asset manager is simply a Class used specifically for loading and unloading graphics, swfs and sounds. So the important part to ask is:
    What do they mean by loading into RAM.
    I thought all swfs were automatically loaded into RAM ie: cached or in the flash player cache or the browser cache. Or do I have to do it specifically myself with some code. We are importing external files so we thought that was a great idea as they are shared by many games.
    btw: RSLs I have read about but I don't understand. I thought my externally loaded files were RSLs (runtime shared libraries) or would I have to do some physical coding do convert them into RSLs.
    This is so important because I am not very experienced but I am getting a lot better due to help receied in this forum and my current programmer is leaving me. I have been studying up on As3 and design patterns and I understand basic coding a lot better now.
    CHEERS
    EDIT: Just read that I am using a http call. - I use urlloader - well that's what you use isn't it or how would you load an external swf. Just read that you can hold the swf as a variable which loads it in RAM and therefore will be available immediately. Know I don't understand anything as I have never read that anywhere.

    Hi Andrei, nice to see you around here.
    Well, somebody helping me says that normally we make a http request with urlLoader to the server and that is what was happening each time. We weren't getting the cached swf. (that bit I don't understand and doesn't sound right - anyway...)
    So he says if we create a dictionary class to hold that swf then the next time we make a request we will get the movie from there and not from the server.
    I have highlighted the main parts of code below.
    What I don't understand about all this is that I have never seen anything like this in my life. I have read extensively and read all about loading external files and using this type of asset manager with the dictionary class does not ring a bell and goole comes up with nothing.
    I hunch is that as you say, we are doing something wrong somewhere because the only way to get an external file is via urlLoader to the server the first time and then the second time it should look for it cached on our computer is that right? Or when we make the urlLoader request how does it know to look on our computer first before going to the server or are these innner workings of the flash player I know nothing about. This is so important as when I get 10 kids on the computers they wait for as long as 5 minutes for movies that have already been downloaded many times before.
    Cheers in advance.
    package com.Gerry.managers.assetManager
        import flash.display.Loader;
        public class AssetLoader extends Loader
            private var _assetName:String;
            public function AssetLoader()
                super();
            public function get assetName():String
                return _assetName;
            public function set assetName(value:String):void
                _assetName = value;
    The asset manager loading class
    package com.Gerry.managers.assetManager
        import flash.display.Loader;
        import flash.display.LoaderInfo;
        import flash.display.MovieClip;
        import flash.display.Sprite;
        import flash.events.Event;
        import flash.net.URLRequest;
        import flash.utils.Dictionary;
        public class AssetManager extends Sprite
            public static const ASSET_LOADED:String = "assetLoaded";
            private static var _instance:AssetManager;
            private var _assetsLoaded:Dictionary = new Dictionary();
            private var _assetsBeingLoaded:Dictionary = new Dictionary();
            public function AssetManager(pvt:SingletonEnforcer)
             * loads and asset and keeps a reference to the loaded content
             * @param name
             * @return null if the asset is not loaded yet
           public function loadAsset(name:String):MovieClip
                var asset:MovieClip;
                if (_assetsLoaded[name])
                    asset = _assetsLoaded[name];
                else if (_assetsBeingLoaded[name] == null)
                    var skinloader:AssetLoader = new AssetLoader();
                    skinloader.assetName = name;
                    skinloader.contentLoaderInfo.addEventListener(Event.COMPLETE, loadCompleteF);
                    skinloader.load(new URLRequest(name));
                    _assetsBeingLoaded[name] = true;
                return asset;
            protected function loadCompleteF(e:Event):void
                var skin:MovieClip = e.target.content as MovieClip;
                var name:String = ((e.target as LoaderInfo).loader as AssetLoader).assetName;
                _assetsLoaded[name] = skin;
                delete _assetsBeingLoaded[name];
                dispatchEvent(new Event(ASSET_LOADED));
             * gets an instance of the class
             * @return
            public static function get instance():AssetManager
                if (_instance == null)
                    _instance = new AssetManager(new SingletonEnforcer());
                return _instance;
    internal class SingletonEnforcer
    The function inside a class called Screen which is used by menus classes to load their swf menus.
    protected function loadSkin(path:String = null):void
                trace("skin to load: " + path);
                Home.instance.addPreloaderF();
                _path = path + Home.instance.cacheString;
                if (_usingAssetManager)
                    loadSkinFromAssetManager();
                else
                    if (_skinloader.content)
                        _skinloader.unloadAndStop(true);
                    _skinloader.contentLoaderInfo.addEventListener(Event.COMPLETE, loadCompleteF);
                    _skinloader.load(new URLRequest(_path));
            protected function loadSkinFromAssetManager(e:Event = null):void
                _skin = AssetManager.instance.loadAsset(_path);
                //if no skin we have to wait to be loaded it
                if (_skin == null)
                    AssetManager.instance.addEventListener(AssetManager.ASSET_LOADED, loadSkinFromAssetManager);
                else
                    AssetManager.instance.removeEventListener(AssetManager.ASSET_LOADED, loadSkinFromAssetManager);
                    loadCompleteF(null);

  • Error in Execution of Data Manager Package

    Hi Folks,
    We are facing the following error while executing the Data Manager Package for Clear/Import..
    Error Details:
    [Admin-ProcessPartition]Errors in the OLAP storage engine: The attribute key cannot be found: Table: dbo_tblFactFinance, Column: ENTITY, Value: CONEUROPE.
    Errors in the OLAP storage engine: The process operation ended because the number of errors encountered during processing reached the defined limit of allowable errors for the operation.
    Errors in the OLAP storage engine: An error occurred while processing the 'FAC2Finance_INCR_UPDATE_TEMP_kmj3h_' partition of the 'Finance' measure group for the 'Finance' cube from the YASH6 database.
    Errors in the OLAP storage engine: The process operation ended because the number of errors encountered during processing reached the defined limit of allowable errors for the operation.
    Internal error: The operation terminated unsuccessfully.
    Please Look into it.....

    Hello,
       It looks like you have an inconsistency on the OLAP level. Please try to reprocess Entity dimension choosing full process for your application. This should solve the issue.
    Best regards,
    Mihaela

  • Asset Management and tracking using iOS?

    Hi,
    I would like to use iphones for asset management and tracking and am having a bit of difficulty finding what I am looking for. I bought delicious library 3 at home to see if it could track code39 or code128 but so far it doesn't work, and I can't seem turn off Amazon searching. Anyway, I also ran across iCody, which looked nice and even clz barry, but they all seem to be data entry only.
    What I am looking for is an app/application set that can work in two ways:
    1. Build a database (this could be manually if it needs to be) of asset items. I would then enter details about that item into the database.
    2. Scan, view, and possibly edit the item by barcode using an iOS device.
    Has anyone found something that will do this? I'm not real interested in demoing apps by buying them first
    thanks

    Hi Stephanie,
    SAP Real Estate Management is made to manage space, room reservation, moves, lease administration and so on, while SAP Enterprise Management is used in a property management environment to manage repairs, maintenance and services. SAP Real Estate Management provides Usage and Architectural Master Data Object to display the portfolio, while SAP Enterprise Asset Management provides so called Functional Locations. In SAP Real Estate Management there is an option to automatically create and/or update Functional Locations in SAP Enterprise Asset Management and a BAdI to synchronize Fixture & Fittings on SAP Real Estate Management objects with entries in the Classification System in SAP Enterprise Asset Management. For more information please check the SAP Help Portal:
    http://help.sap.com/saphelp_erp2005vp/helpdata/en/27/07783b7cede50ae10000000a114084/content.htm
    http://help.sap.com/saphelp_erp2005vp/helpdata/en/62/0974404a6fcf62e10000000a155106/content.htm
    Best regards,
    Christian

  • ASSET MANAGEMENT CONTROL

    Dear Colleagues,
    At the company where I work,Users for Asset control are using;
    KO01 - To create an investment order.
    ZAFE_0002 - To set up capital project (Customised Application)
    KO88 - for Settlement of investment order.
    AS01 - For creation of asset
    KOB5 - To start depreciation.
    1.  Is it possible to set up a fixed asset with various starting points for depreciation? For Example, we have a blanket AFE for Computer Hardware Replacement.  This is used for multiple purchases throughout the year.We have created an asset for this in SAP and find that when we start depreciating newly purchased items,the system puts a backdated charge to when the first time the asset was created.  The only way users think they can work around this is to create new internal orders and assets for each purchase.  Can you suggest a better way?Sorry,I am MM/SD and only used briefly asset management some time ago...
    2.  Can you also advise on how to block an object code and cost centre combination?  I rougly remember how to block an object code for posting but want to block certain cost centres with object codes to help prevent miscodes.  It would be ideal for this to happen when the Purchased/Requisition is being completed.
    Thanks for your help,
    PAPJ1

    Hi,
    Welcome you post on the forum.
    Please check forum subject first. This forum is dedicated to SAP Business One - a solution to SME users. Close your thread and post it to the right forum.
    Thanks,
    Gordon

  • Bridge for data asset management?

    I've been looking for a while for a 'simple' data asset management application.
    What it should be able to do or have is:
    1. a simple interface, manageable by anyone.
    2. both mac and windows compatible
    3. drag and drop facilitated for both images AND their description into inDesign.
    Why?: we work for a large mall group, that produces some 20 large folders a year. No need to say we have built up an image database of thousands of items, most of which are reused regularly. Locating them for use in a new folder is not such a problem in itself; but reusing the text is. Each time, our client provides more or less the 'same' texts and prices (they retype them), which means that all texts, whether they have been published 10 times before or not, always have to be reread, reviewed by a copywriter, and on top of that, retranslated (in Belgium, you always need editions in Dutch and French). This is a silly and costly situation.
    I love to use Expression Media for comparing pictures, and it's drag and drop capable - for picutres - not for text. Bridge doen't seem to do the job either, and it's not an actual database.
    So is there a simple way or application (affordable) to get over this problem, without the need of some complicated Unix-based, nerd-interfaced server?

    So is there a simple way or application (affordable) to get over this problem, without the need of some complicated Unix-based, nerd-interfaced server?
    Did you tried to explore Canto Cumulus ?
    They have two editions, the 'single user' (very affordable) and a more complex build to order. When you have many users on different locations or use over a network it might be to complex for the single user version I'm afraid ;-(

  • Integrating barcode asset management and LR

    I have discovered to my delight that you can integrate Lightroom and barcode based print asset management. This is a way to:
    automate the printing of labels for images without any rekeying of information, and
    automate the process of finding the image from which a print was made
    Why do this? You may sell prints or just make them for your own pleasure. It is good practice to provide some labelling of prints so you (or the buyer) knows what they are looking at. It can be helpful to be able to quickly find the source image of a print. Of course you can just include the filename in the label and type it in to find the source image. But the labels produced look a bit messy with a sometimes arbitrary filename stuck in there. An option is to include a neat barcode on the label. You can then use your webcam to read the label and direclty insert the filename in the LR search field. Presto! Up pops the image from which the print was made.
    Caveat: Apologies to Mac users, I have only worked this out on a PC. I'm sure there are substitutes for each of the things I've used.
    What you need to do this [on a PC]:
    Lightroom (LOL)
    LR/Transporter (incredibly useful for many things)
    Excel (optional but part of my workflow)
    A way to print labels with barcodes. I use a cheap Brother label printer which comes with the P-Touch Editor software.
    A webcam
    Webcam barcode reader software. I use bcWebCam which is free
    How I do it:
    I'll sketch how I do it with the specific gear I have and then suggest how you may get by with other gear.
    Simplest workflow:
    Set up LR/Transporter to export a summary file from image exports that includes all the fields you may want on your label (including filename of course). Format for  comma delimited a CSV file with a header line to define the exported fields. This is saved and reused as an export preset. Routlinely I can then select the images I am printing and export them to a dummy folder which I use for the purpose of transferring Image information.
    I use my label printer software with a template that merges the CSV file data onto a label, with the filename printed as a QR barcode. I generally put one label directly on the print reverse and, if framed, another on the frame rear. With high quality art prints I only do the latter to avoid any possibility of problems of with the adhesive discolouring the paper obverse. Here's an example.
    Having previously installed bcWebCam, if I need to find an image that needs a bit of a search (only likely if I've not worked on it recently), I load bcWebCam while LR is running, place my mouse cursor in the search field in the library view (having selected the root of my catalogue), and hold the print label in front of the web cam. Presto! bcWebCam inserts the filename in the search field and up pops the image in LR!
    In reality, I use excel as an intermediary to read the LR/Transporter data and reformat some items. One reason is the GPS information exported by LR/Transporter has some weird characters in it and they need to be cleaned out. Characters with accents or umlauts also need some special treatment. Excel also lets me define how many of each label I want printed... The label printer software reads the excel file as a database and allows printing of the required number of labels.
    If you are interested in this solution you are likely to have tens or hundreds of thousands of images in which case camera generated filenames will not be unique. I add a month and year in import and conversion to DNG into LR to ensure filenames are unique. There are a range of other work-arounds that may suit your workflow better. But remember, you need something that LR will find in a single search. It may be you create a unique identifier in a EXIF or IPTC field - this will work too...  Some smart bunny may point out to me there is some foolproof automatic unique identifier for each image built into LR which can be accessed and exported but I am not aware of it. I guess image creation time (to the second) comes pretty close but I cannot see how to search on this from a search field entry...
    Where you may need to find some workarounds:
    If you are on a PC, the one thing that is not available on the net is the barcode label printer. In the past I used to print labels on multi-label sheets with a laser printer. It's not obvious to me how to translate the unique image identifier into a barcode for this approach but I'm sure there will be one out there. But I came to the conclusion that a dedicated "on demand" label printer would save a huge amount of messing around. I think the Brother model I use is about US$79 which doesn't exactly break any bank. And the continuous paper roll I use means labels end up about 2.5 cents a pop...  What makes this or even the more capable models (with auto-cutters) such a great deal is the P-touch sofware which does do all the linking of database to label and info field to barcode. This is worth the price alone I reckon. There are other free and for-fee webcam barcode readers out there too; the one I've noted works for me...
    This may sound pretty complex to set up. But the reality is, once export, database and print templates are in place, it's all automatic.

    Hi,
    Great use of LR/Transporter
    The strange characters result from the fact that LR/Transporter outputs files with a UTF-8 encoding.  You need to be able to read that so see them.  Most applications can read UTF-8 nowadays.
    Tim

  • Packaged Applications

    Hi Everyone,
    I am very new in Oracle and I have, i think, very simple question.
    I would like to install one of the Oracle packaged application samples and test it out. So, my question is: what software do I need to run it.
    As I understand, I need to install Oracle application server but I am not sure about Oracle Database server. Do I need both of them to run and manage application and the database?
    Thanks

    Hello,
    They aren't the same thing though there will be some overlap
    Re: APEX on SourceForge
    I'll check the links on sourceforge today stuff and make sire it has the newest build available.
    Carl

  • The Full Optimization & Lite Optimization Data Manager packages are failing

    Hi,
    The Full Optimization and Lite Optimization Data Manager packages are failing with the following message "An Error occured while querying for the webfolders path".
    Can anyone had similar issue earlier, please let me know how can we rectify the issue.
    Thanks,
    Vamshi Krishna

    Hi,
    Does the Full Optimize work from the Administration Console directly?
    If it's the case, delete the scheduled package for Full Optimize every night (in both eData -> Package Schedule Status and in the Scheduled Tasks on your server Control Panel -> Scheduled Tasks), and then try to reschedule it from scratch.
    If it's not solving your problem, I would check if there are some "wrong" records into the FACT and FAC2 tables.
    After that, I would also check if the tblAppOptimize is having other values than 0. For all applications, you should have a 0 there.
    Hope this will help you..
    Best Regards,
    Patrick

  • BPC10 - Data manager package for dimension  data export and import

    Dear BPC Expers,
    Need your help.
    I am trying to set up a data manager package for first time to export dimension - master data from one application and import in another application ( both have same properties) .
    I created a test data manager package from Organize > add package > with  process chain /CPMB/EXPORT_MD_TO_FILE  and Add
    In the advance tab of each task there are some script logic already populated. please find attached the details of the script logic written under each of the tasks like MD_Source, concvert and target .
    I have not done any chnages in the script inside the task .
    But when i run the package , I have selected a dimension 'Entity' but in second prompt ,it ask for a transformation file , and syatem autometically add the file ... \ROOT\WEBFOLDERS\COLPAL\FINANCE\DATAMANAGER\TRANSFORMATIONFILES\Import.xls
    I have not changed anything there
    in the next prmpt , it ask for a output file ..and it won't allow me enter the file name .....i
    Not sure how to proceed further.
    I shall be greatfull if someone guide me from your experiance  how to set up a simple the data manager package for master data export from dimension . Should I update the transformation file in the script for import file and  output file in the advance tab. how and what  transformation file to be created and link to the data manager package for export / import .
    What are the steps to be executed to run the package for exporting master data from dimension and import it another application .
    Thanks in advance for your guidance.
    Thanks and Regards,
    Ramanuj
    =====================================================================================================
    Detals of the task
    Task : APPL_MD-SOURCE
    (DIMENSIONMEMBER, %DIMENSIONMEMBERS%, "Please select dimension", "Please select members", %DIMS%)
    (TRANSFORMATION,%TRANSFORMATION%,"Transformation file:",,,Import.xls)
    (OUTFILE,,"Please enter an output file",Data files (*.txt)|*.txt|All files(*.*)|*.*)
    (RADIOBUTTON,%ADDITIONINFO%,"Add other information(Environment,Model,User,Time)?",1,{"Yes","No"},{"1","0"})
    (%TEMPNO1%,%INCREASENO%)
    (%TEMPNO2%,%INCREASENO%)
    (/CPMB/APPL_MD_SOURCE,SELECTION,%DIMENSIONMEMBERS%)
    (/CPMB/APPL_MD_SOURCE,OUTPUTNO,%TEMPNO1%)
    (/CPMB/EXPORT_MD_CONVERT,INPUTNO,%TEMPNO1%)
    (/CPMB/EXPORT_MD_CONVERT,TRANSFORMATIONFILEPATH,%TRANSFORMATION%)
    (/CPMB/EXPORT_MD_CONVERT,SUSER,%USER%)
    (/CPMB/EXPORT_MD_CONVERT,SAPPSET,%APPSET%)
    (/CPMB/EXPORT_MD_CONVERT,SAPP,%APP%)
    (/CPMB/EXPORT_MD_CONVERT,OUTPUTNO,%TEMPNO2%)
    (/CPMB/FILE_TARGET,INPUTNO,%TEMPNO2%)
    (/CPMB/FILE_TARGET,FULLFILENAME,%FILE%))
    (/CPMB/FILE_TARGET,ADDITIONALINFO,%ADDITIONINFO%))
    Task : EXPORT_MD_CONVERT
    (DIMENSIONMEMBER, %DIMENSIONMEMBERS%, "Please select dimension", "Please select members", %DIMS%)
    (TRANSFORMATION,%TRANSFORMATION%,"Transformation file:",,,Import.xls)
    (OUTFILE,,"Please enter an output file",Data files (*.txt)|*.txt|All files(*.*)|*.*)
    (RADIOBUTTON,%ADDITIONINFO%,"Add other information(Environment,Model,User,Time)?",1,{"Yes","No"},{"1","0"})
    (%TEMPNO1%,%INCREASENO%)
    (%TEMPNO2%,%INCREASENO%)
    (/CPMB/APPL_MD_SOURCE,SELECTION,%DIMENSIONMEMBERS%)
    (/CPMB/APPL_MD_SOURCE,OUTPUTNO,%TEMPNO1%)
    (/CPMB/EXPORT_MD_CONVERT,INPUTNO,%TEMPNO1%)
    (/CPMB/EXPORT_MD_CONVERT,TRANSFORMATIONFILEPATH,%TRANSFORMATION%)
    (/CPMB/EXPORT_MD_CONVERT,SUSER,%USER%)
    (/CPMB/EXPORT_MD_CONVERT,SAPPSET,%APPSET%)
    (/CPMB/EXPORT_MD_CONVERT,SAPP,%APP%)
    (/CPMB/EXPORT_MD_CONVERT,OUTPUTNO,%TEMPNO2%)
    (/CPMB/FILE_TARGET,INPUTNO,%TEMPNO2%)
    (/CPMB/FILE_TARGET,FULLFILENAME,%FILE%))
    (/CPMB/FILE_TARGET,ADDITIONALINFO,%ADDITIONINFO%))
    Task : FILE_TARGET
    (DIMENSIONMEMBER, %DIMENSIONMEMBERS%, "Please select dimension", "Please select members", %DIMS%)
    (TRANSFORMATION,%TRANSFORMATION%,"Transformation file:",,,Import.xls)
    (OUTFILE,,"Please enter an output file",Data files (*.txt)|*.txt|All files(*.*)|*.*)
    (RADIOBUTTON,%ADDITIONINFO%,"Add other information(Environment,Model,User,Time)?",1,{"Yes","No"},{"1","0"})
    (%TEMPNO1%,%INCREASENO%)
    (%TEMPNO2%,%INCREASENO%)
    (/CPMB/APPL_MD_SOURCE,SELECTION,%DIMENSIONMEMBERS%)
    (/CPMB/APPL_MD_SOURCE,OUTPUTNO,%TEMPNO1%)
    (/CPMB/EXPORT_MD_CONVERT,INPUTNO,%TEMPNO1%)
    (/CPMB/EXPORT_MD_CONVERT,TRANSFORMATIONFILEPATH,%TRANSFORMATION%)
    (/CPMB/EXPORT_MD_CONVERT,SUSER,%USER%)
    (/CPMB/EXPORT_MD_CONVERT,SAPPSET,%APPSET%)
    (/CPMB/EXPORT_MD_CONVERT,SAPP,%APP%)
    (/CPMB/EXPORT_MD_CONVERT,OUTPUTNO,%TEMPNO2%)
    (/CPMB/FILE_TARGET,INPUTNO,%TEMPNO2%)
    (/CPMB/FILE_TARGET,FULLFILENAME,%FILE%))
    (/CPMB/FILE_TARGET,ADDITIONALINFO,%ADDITIONINFO%))
    ================================================================================

    1. Perhaps you want to consider a system copy to a "virtual system" for UAT?
    2. Changes in QAS (as with PROD as well) will give you the delta. They should ideally be clean... You need to check the source system.
    Another option is to generate the profiles in the target system. But for that your config has to be sqeaky clean and in sync, including very well maintained and sync'ed Su24 data.
    Cheers,
    Julius

  • Aperture as a Multi-User Digital Asset Management Tool

    Does anyone have any experience using Aperture in a multi-user environment? I'm trying to compare it to Cumulus by Canto which is designed as a multi-user tool.
    I realize that each user would have a copy of Aperture on their Mac, but are there other issues that are not such as multi-variable searching capabilities of one versus the other. My gut tells me that Cumulus is more robust and can handle much larger libraries as well as all types of digital data and can search within document such as InDesign for a particular image.
    Thanks
    --Mitch

    There is no possible way you can use Cumulus and
    actually save money.
    I don’t expect to save money. I expect to save time finding info, and avoiding duplication of almost everything we have
    Stepping into digital asset management is a far bigger
    issue than your boss can imagine. Try not to take this
    personally, but your initial question about using
    Aperture as an enterprise or workgroup DAM suggests you
    have no idea what you're suggesting or possibly getting
    into. Canto is all smoke and mirrors unless you can
    afford the training and have dedicated, competent and
    engaged support personnel.
    Nothing taken personally. The question was asked because management is promoting Aperture as the end-all and be-all of imagement, whereas I’m looking for a tool to manage all our documents
    Before you go much further, you need to understand
    databases and you need to understand that DAM's return
    on investment is not about saving money, it's about
    preventing the spending of money; a huge difference and
    there are few mgrs who can parse that difference from
    the sales hype. Buy a copy of "The DAM Book" and try to
    get someone to explain databases, cataloging
    applications and server-based storage to you.
    I understand databases quite well, but I will get a copy of the book you mentioned. I am running an Xserve in my environment, so I do understand servers and OS X Server.
    I wish you tremendous luck and hope your experiences
    are better than most of the Canto customers I have ever
    met, including me. You just have no idea how expensively
    wrong your decision to employ Cumulus could turn out to
    be. Not that it's a bad product (although we thoroughly
    despise it); it's sold as a miracle. Cumulus is a
    supremely complex (not necessarily complicated),
    over-designed and totally un-Macintosh application.
    What version of Cumulus are you using, and why are you so unhappy with it? May I contact you off line to discuss this?
    Thanks for the reply
    —Mitch

  • Bundle usage asset management

    Is there a way to see bundle usage in ZCM asset managent.
    I wanne now how many times users use bundles from there Application lancer.
    Cant find anything in asset management that looks like it.

    lubroe,
    It appears that in the past few days you have not received a response to your
    posting. That concerns us, and has triggered this automated reply.
    Has your problem been resolved? If not, you might try one of the following options:
    - Visit http://support.novell.com and search the knowledgebase and/or check all
    the other self support options and support programs available.
    - You could also try posting your message again. Make sure it is posted in the
    correct newsgroup. (http://forums.novell.com)
    Be sure to read the forum FAQ about what to expect in the way of responses:
    http://forums.novell.com/faq.php
    If this is a reply to a duplicate posting, please ignore and accept our apologies
    and rest assured we will issue a stern reprimand to our posting bot.
    Good luck!
    Your Novell Product Support Forums Team
    http://support.novell.com/forums/

  • Asset Manager Demo Question

    When running the application it displays the words "Asset Manager" on each page in the upper left corner.
    How do you edit this title?
    Looked in obvious places like Shared Components: User Interface Defaults, Themes etc. but can't see the text.
    I've no idea why such an important piece of text would be so difficult to find. Or maybe it's just me! :-(
    Thanks!

    Try checking page 0 of the application, it is probably there, so that it will carry over to ALL pages....
    Thank you,
    Tony Miller
    Webster, TX

  • ZCM asset management in zen 7 environment

    can i install the zcm asset management and still run the zenworks 7 agent for applications..?
    cheers

    Originally Posted by gavinfarrow
    sorry, thats the zcm asset management agent, in conjunction with the zen 7agent
    Yes if you run ZCM 10.3.
    IMPORTANT:The ZENworks 10 Adaptive Agent and ZENworks 7 Desktop Management Agent can coexist on the same workstation if the only Adaptive Agent feature that is enabled is Asset Management. Enabling features related to other ZENworks 10 products (Configuration Management and Patch Management) on the same machine as ZENworks 7 Desktop Management is not supported
    Novell Doc: Novell ZENworks 10 Asset Management Migration Guide - Migrating Both ZENworks 7 Desktop Management and ZENworks 7.5 Asset Management
    Thomas

Maybe you are looking for

  • Follow up Tree Question

    Hey, Using the arrows, when I open one tree node, I want other tree nodes to close. I saw a sample that sepiroth had done, but I don't want to click on the whole bar. I just want to use the arrows to expand and contract. Any help would be great. I ha

  • TOO MUCH TIME-REPORT GENERATION

    REPORT PROCESSING TAKES LOT OF TIME BETWEEN MACHINES OVER NETWORK ONE MACHINE IT TAKES 5 MINUTES SAME CONFG OTHER MACHINE IN THE NETWORK TAKES 20-25 MINUTES, ANY CHANGES HAS TO BE MADE IN THE SERVER

  • Pc pavillion 20

     My Hp pavillion 20 comes up with error code 0xc0000185.I did DPS self test and it failed saying Drive replacement recommened??Can someone help please

  • User Settings reset upon restart! everytime!

    I just bought a MBP several weeks ago and I am very happy with it , BUT , after a recent software update everytime my computer shuts down or I restart it completly resets my dock and every user setting I applied almost like a fresh system restore. No

  • How do you view PDFs in Safari 5.1, Mac OS 10.7?  I have no adobe plug-in in library.

    I have read and read of other people with this problem.  Some have got satisfaction, but I can't get their solutions to work.  Safari either doesn't open a PDF at all, or at least I can't see it...the screen is black.  Or sometimes I can see that Qui