FSDB File Meta Data not accurate

I have some folders on an FSDB (Windows NT Share).  When I view the files, the modified date is correct.  If I view the documents via the portal, the modified date is older than the date shown via Windows explorer.  If I click the action Icon and select details, the information is the same as the Window share.  Once I close that window, the portal refreshes and now the date is updated.
Please view this <a href="http://www.rquackenboss.com/SharedFiles/File_modifiedDate.png">Screenshot</a> for a better description of what I am talking about.
Can someone explain how / why the two dates are not in sinc?
Thanks,
Quack

Sorry Frank...
I found it!!!!
Content Admin->KM Content->Toolbox->Reports->User Related Cleanup->CM Repository: FS-DB Database Synchronization
<a href="http://help.sap.com/saphelp_erp2005vp/helpdata/en/43/83d1f7229c5965e10000000a422035/frameset.htm">SAP Help</a>
I should have looked first.
Thanks for the heads-up.
Quack
Message was edited by: Ryan
Added link to SAP help
        Ryan Quackenboss

Similar Messages

  • Problem with file meta data in Toast

    From a reply to my previous question, I learned that meta data in the file information window cannot be edited. Actually, I really want to get rid of this meta data (not just hide it), because in some cases it disturbs certain operations.
    Assume the following situation: I have a file named "my song.aif", which I want to burn on CD using Toast. So I open Toast and shift the file with a mouse action into the Toast window. I expect the title of the track to be "my song", but the name of the track unexpectedly changes to say "Title 2". Checking the file information window of "my song.aif" I see that the extra information contains "Title: Title 2" (which possibly was added by itunes). Files without meta data like this retain their names in the above operation.
    Since I would like to avoid editing the titles in the Toast window, I would appreciate hints on the problem.

    You can't directly edit the metadata, but the application that created it obviously can, so it depends on the particular application. In this case, editing the song information in iTunes changes the metadata. Usually the song title is the same as the song name, but Toast might be looking at something like the ID3 tags. The ID3 tags are stored in the .mp3 file itself and not the metadata database - I am not sure what iTunes does with the ID3 tags (or what Toast is looking for), but you might try converting the tags.

  • File.exists() is not accurate on smb2 network share (use WatchService?)

    Hi,
    According to this document: SMB2 Client Redirector Caches Explained File.exists() is not accurate on a smb2 network share. I am not able to change any register settings, so I want to deal with it. According to the document there is an API to get the notifications from the file system. I assumed that the WatchService is the Java implementation of this API. Am I correct?
    I started with the WatchDir example from the jdk samples and stripped it a bit. I only need to know when a file is created and delete (I don't care about file modifications). For testing I have added new File.exists() when a new event has been triggered. I also start a separated Thread which test the file existence also. When I don't start this separated thread the file exists returns true immediately. When the extra thread is started it is not accurate any more. I need a more accurate file.exists check in the whole application and all running threads.
    The output for my test case is this:
    FileExistsThread: subdir\test.txt == false
    watch registered for dir: subdir\
    FileExistsThread: subdir\test.txt == false
    FileExistsThread: subdir\test.txt == false
    FileExistsThread: subdir\test.txt == false
    FileExistsThread: subdir\test.txt == false
    FileExistsThread: subdir\test.txt == false
    FileExistsThread: subdir\test.txt == false
    WatchDir event: ENTRY_CREATE: test.txt
    WatchDir: subdir\test.txt exists == false
    FileExistsThread: subdir\test.txt == false
    FileExistsThread: subdir\test.txt == false
    FileExistsThread: subdir\test.txt == false
    FileExistsThread: subdir\test.txt == false
    FileExistsThread: subdir\test.txt == false
    FileExistsThread: subdir\test.txt == false
    FileExistsThread: subdir\test.txt == false
    FileExistsThread: subdir\test.txt == false
    FileExistsThread: subdir\test.txt == false
    FileExistsThread: subdir\test.txt == true
    FileExistsThread: subdir\test.txt == true
    FileExistsThread: subdir\test.txt == true
    FileExistsThread: subdir\test.txt == true
    As you can see the file test.txt  is created on line 9. The FileExistsThread have seen it on line 20, (at least 10 x 300 ms later).
    For testing I have used 2 Windows 7 pc's (with smb2 enabled which is default). The working directory must be on the remote pc and the file test.txt must be created (or copied from another folder) on the remote pc (not using the network drive, but on the pc itself).
    Here is my test code:
    package nl.test.main;
    import static java.nio.file.StandardWatchEventKinds.ENTRY_CREATE;
    import static java.nio.file.StandardWatchEventKinds.ENTRY_DELETE;
    import static java.nio.file.StandardWatchEventKinds.OVERFLOW;
    import java.io.File;
    import java.io.IOException;
    import java.nio.file.ClosedWatchServiceException;
    import java.nio.file.FileSystems;
    import java.nio.file.Path;
    import java.nio.file.Paths;
    import java.nio.file.WatchEvent;
    import java.nio.file.WatchKey;
    import java.nio.file.WatchService;
    public class WatchDir
      private final WatchService _watcher;
      private final String _dir;
      public WatchDir( String dir ) throws IOException
        _dir = dir;
        _watcher = FileSystems.getDefault().newWatchService();
        Paths.get( dir ).register( _watcher, ENTRY_CREATE, ENTRY_DELETE );
        System.out.println( "watch registered for dir: " + dir );
      public void run()
        try
          while ( true )
            WatchKey key = _watcher.take();
            for ( WatchEvent<?> event : key.pollEvents() )
              WatchEvent.Kind<?> kind = event.kind();
              if ( kind == OVERFLOW )
                continue;
              @SuppressWarnings( "unchecked" )
              WatchEvent<Path> ev = (WatchEvent<Path>)event;
              Path fileName = ev.context();
              System.out.println( "WatchDir event: " + kind.name() + ": " + fileName );
              if ( kind == ENTRY_CREATE )
                String realPath = _dir + fileName;
                System.out.println( "WatchDir: " + realPath + " exists == " + new File( realPath ).exists() );
            key.reset();
        catch ( ClosedWatchServiceException x )
          return;
        catch ( InterruptedException ex )
          return;
      public static void main( String[] args )
        Thread t = new Thread( new Runnable()
          @Override
          public void run()
            try
              while ( true )
                String filename = "subdir\\test.txt";
                boolean fileExists = new File( filename ).exists();
                System.err.println( "FileExistsThread: " + filename + " == " + fileExists );
                Thread.sleep( 300 );
            catch ( InterruptedException e )
              e.printStackTrace();
              return;
        t.start();
        try
          new WatchDir( "subdir\\" ).run();
        catch ( IOException e )
          e.printStackTrace();
    Any idea's?
    Thanks,
    Olaf

    If you donot have access to note 45172.1 as specified by Laurent Schneider.
    Snippet from note
    a. Mapped Drive : To use a mapped drive, the user that the service starts as
    must have setup a drive to match UTL_FILE_DIR and be logged onto the server
    when UTL_FILE is in use.
    b. Universal Naming Convention : UNC is preferable to Mapped Drives because
    it does not require anyone to be logged on and UTL_FILE_DIR should be set to
    a name in the form :
    \\\<machine name>\<share name>\<path>
    or
    "\\<machine name>\<share name>\<path>"

  • STM meta data not defined

    Server returning error 1 - meta data not defined
    It is not clear to me how to define the meta data used in STM.  I have created an array of clusters that contain a string.  I have named the clusters.  The STM VIs returns an error concerning the meta data not being defined (Figure 1).  Figure 2 shows the server code that generates the error and figure 3 show the client code.  To start, I am trying to pass a simple string but I would like to pass arrays of data once this is working.
    Client and server both running LabVIEW 2012 (32-bit) version on Windows 7.
    STM package:  stm_1.0.32.zip (not sure this is correct version.  Example programs use VIs with different names.  Unable to run examples because I don't have the VIs used in the examples.)
    Application:  Stream data from embedded PC to UI using ethernet connection.
    White Papers: LabView Simple Messaging Reference Library (STM)
                            Command-based Communication Using Simple TCP/IP Messaging
                                                                  Figure 1 - Error
                                                                            Figure 2 - Server Diagram
                                                                                  Figure 3 - Client Diagram

    Just so you know, there's a board specifically for the STM.  That would be a good place to ask for improvements or better clarifications.
    http://forums.ni.com/t5/Components/Simple-TCP-Messaging-STM/td-p/583438
    There are only two ways to tell somebody thanks: Kudos and Marked Solutions
    Unofficial Forum Rules and Guidelines

  • Meta data not included upon export - Please confirm

    Hello everyone. I'm looking to confirm with several people the following:
    After updating to the most recent version of Aperture and Tiger (Leopard is not tame enough yet), exported images do not include meta data (yes, I know how to click the little box that says include meta data so please understand in advance that isn't the solution).
    I'm looking for several people to confirm this is happening to them too. Kinda a bummer to have done all the key-wording & meta data work only to have exported images void of anything. Previous version of Aperture exported meta data just fine: I have one folder here full of images I just processed (no meta data) and one folder full of images processed 7 weeks ago (has meta data).
    Thoughts?
    Thanks in advance,
    Christopher David

    Your problem and description gave me the first clue about the little box that needs to be checked, but where to find that little box. I'm adding my resolution here because your title most closely matched my problem. Maybe someone searching in the future needs to know how to find the box to check and won't have to search any farther with this explanation. I hope you've solved your problem too.
    I searched and posted in several forums before calling Apple Support today. I've discovered the problem with that tech person's guidance. If anyone else faces this dilemma, check your settings here:
    Aperture > File > Export Versions
    Then you get a pop up box with some drop down menus. The top drop down box has 'Edit' at the bottom of its list. Go into there. You'll have several preferences to choose from (file type, dimensions, quality, etc) and there's a tiny box that accidently got unchecked which says something like: Include Metadata.
    I can't check it for exact wording because I'm merrily re-exporting right now - Metadata intact!
    Apparently there's an even quicker path to fix this:
    Aperture > Presets > Image Export
    I can't check this either because exporting doesn't go to the background and I have a bunch of photos to resend now that it's working OK!

  • Contact sheets-meta data not printing

    On contact sheets the meta data I choose to print (Apsect Ratio, Master Pixel Size, etc etc) only prints the begining of each line, and ends with an"..." For example I get "File Size 9..." or "Pixel Size 2048 x 225..."
    This happens despite the amount of rows, columns and print size of the images.
    I need to see the full data on my proof prints and contact sheets.
    Any ideas why it's not printing complete meta content? 
    Thanks
    bc

    I'm running a test wtih Arial. Pretty simple right? In the OS print preview I can see the full meta data, but when printed it's still cutting off Meta Data...Here's a sample of what I'm getting. I can't figure out Aperture's preference with what it will print and what it will ....

  • DNG file modification date not changed by writing metadata?

    I use LR 2.7 on Windows XP.   To my surprise, I just noticed that writing metadata updates (e.g., new keywords) from LR to the DNG files does NOT appear to update the file modification date, which suggests obvious issues for backup strategies (yes, I understand that a changed modification date introduces other backup issues).   I have verfifed that the metatdata does indeed change in the DNG files, so I am mystified.   Can someone shed some light on this?   Thanks.
    js
    www.johnshorephoto.com

    Yes, I explicitely invoke "save metadata to file".   Furthemore, I have checked the behavior by (a) modifying DNGs in LR; (b) saving the metatdata to the DNG; (c) creating a new LR catalog and importing the revised DNGs.    The metadata changes do show up in the re-imported DNGs (and the metadata field "Metadata Date" correctly shows the recent change).  Morevover, the file sizes do change (wth the metadata changes) even though the modification dates shown in windows explorer do not change.
    However, I just redid the experiment to double check, and discovered an important clue - the mysterious behavior occurs when the DNG files are on a NAS device (in particular a Netgear ReadyNAS Duo.   To summarize:
         - When the DNG files are on a local hard drive, the file modification dates change as expected
         - When the DNG files are non local (i.e., on the network but on a NAS device), the file modification dates do not change even though the file sizes do change;
    What's more, I see the same behavior when accessing the DNGs via Adobe Bridge (CS5) - i.e., if I change the metadata, I'm asked if I want to apply the metadata changes to the DNG, and I say yes (and confirm by looking via Bridge at a copy of the changed file).   On a local disk, the file modificaiton dates change (as do the modification date displayed in Bridge), but if the files are on the NAS, the modification dates do not.
    Any additional thoughts?
    js

  • Meta Data Not Syncing Across Machines

    Some changes made on one computer are not being propagated to other machines. Has anyone experienced this? The information appears to have been propagated to the iTunes Match servers as I can see it on my iPhone but it isn't making it to my other machines.

    Apparently it helps immensely to have all computers connected to the internet when making changes to meta data. I had made some changes to my catalog at work today. When I came home they were not getting propagated to my home machine. When I remotely logged into my computer at work some of the changes I had made there were undone on the work machine. When I then made changes with both machines connected to the internet the changes propagated immediately. This seems like a pretty serious design flaw for an "in the cloud" system.

  • IDoc meta data not getting imported

    Hello
    I am trying to get IDoc meta-data using transaction IDX2. I have configued RFC destinations of type R3 in both the systems (ECC and XI). Also I have created port using transaction IDX1.
    When tried to import MATMAS04 using the defined port it gives Information box displaying "I::000" and nothing happens. The information box does'nt contain any message.
    Anybody faced this problem with IDoc?
    Thanks in advance.
    Regards
    Rajeev

    Hi,
    actually it was authorization problem which I noticed when I checked the short dump in ECC.
    anyways thanks for the reply.
    Regards
    Rajeev

  • File Upload data not reflected in the Layout

    Hi,
    Using the following how to document, I have written the file upload functionality.
    The upload functionality works and the data is saved in the cube. We have a layout to display the uploaded data.
    Issue:- The data is not reflected in the layout soon after fileupload, even after saving the data in the cube.
    If i close existing webinterface and re-execute it. I see the uploaded data.
    Once the data is saved in the cube, we would like to see this data in our layouts.
    How do we achieve this ?
    Appreciate your help.
    Regards,
    Vinay.
    https://www.sdn.sap.com/irj/servlet/prt/portal/prtroot/com.sap.km.cm.docs/library/business-intelligence/g-i/how%20to%20load%20a%20flat%20file%20into%20bw-bps%20using%20a%20web%20browser.pdf

    Hi,
    When you click on Submit button the file data goes in the buffer and when you click on Save the data gets posted into cube and then the function module release the buffer.
    Comment the FM call API_SEMBPS_REFRESH in Save button and refresh the layout, check if you can see the new data in the layout.
    Please grant the points if this answer helps you.
    Regards,
    Deepti

  • Smbfs file modified date not updating

    When I save a file from Photoshop CS3 to an SMB share (where I have terabytes of images) it appears the Modified Date does not change after I edit. This makes it impossible to work my downstream processes which rely on looking for modified image since a certain date.
    I checked against TextEdit (seems to rewrite the file which gets a new create and modified date) and TextMate where the modified date is correctly set. Also the unix touch command works fine.
    Any ideas how to ensure that a file saved from Photoshop CS3 will correctly set the Modified Date on an SMB share?

    Usually the changes are made to the contents of the domain.sites2 folder and not the actual folder itself. As long as you edit, save and publish, the next time you open iWeb you'll see the latest version. However, be sure to backup the Domain.sites2 package frequently.
    OT

  • Offloading pics from card naming files with date not available

    I finally used Lightroom to offload pictures from my card instead of just pulling them from my hard drive.
    I liked all the options it gave you for offloading naming conventions etc.
    Except the 2 things that I have been doing for the past 3 years with Nikon View/Transfer, Lightroom wont let me do :(
    I off load my pictures with a short name and allow the software to pick up on the date and use the date in the name and also add sequencial number.
    So if I took pictures on three separate days and didnt offload them, at least when I used Nikon Transfer it would recognize the shot date, for each individual picture automatically along with allowing me to add a prefix ie.
    snow_storm_2007-01-22_001
    snow_storm_2007-01-22_002
    snow_storm_2007-01-30_001
    snow_storm_2007-02-10_001
    snow_storm_2007-02-10_002
    Right now the only thing close is to pick my own name and use the date I took the pictures as part of the file name.
    Only problem is when I take pictures for more than one day.
    Lightroom will only allow me the following
    snow_storm_2007-02-10_1
    snow_storm_2007-02-10_2
    snow_storm_2007-02-10_3
    I dont want to off load with just the date as a file name because I will have to go back to rename them in a batch just to add a prefix and that allows room for error when offloading 300+ photos.
    Can this option be added for offloading?
    Its really going to impact my well organized work flow :(
    Thanks
    Ruth

    I second this request, as I want a similar naming convention. At present, I have to do it post-import by renaming within each day's directory.

  • Web Galleries Meta Data Not Updating

    Hi,
    I have a gallery up and went and changed it so the Title and the Caption would show.
    I then updated the Pictures Title and uploaded to the web. The New Titles and Captions didn't show, only the original ones.
    I then did a search on files created today and found where LR was creating the gallery. On my Mac it was: Macintosh HD:private:var:folders:ja:jaqz63pZEjWherT-rFYZJU+++TI
    So I deleted that, re-uploaded and it worked. Is there a way to force LR to over right it's cache?
    TIA
    Rich

    I don't think that is it now that we are into Monday and it still hasn't updated. Anybody else having issues with their text descriptino not updating? What's a good email address to contact apple about the problem. Non of the "contact Us" email addresses seem to fit the description. The [email protected] is a blackhole.

  • Meta data not being imported

    Hi,
    I am using OBIEE 11. I have created an ODBC to a SQL database. I have created a new BI repository in the BI admin tool and chose the odbc as the data source. I selected all metadata types. When I click on the finish the database is in the physical layer but I cannot expand the nodes and no tables or views are present.
    My colleague tried using a different data source the other day and he couldn't get the meata data in either.
    Please advise.
    Nathan

    Hi Nathan
    I have created an ODBC to a SQL databaseI assume you mean you've created a system DSN pointing to a MS SQL Server database.
    Did you try to test the DSN when creating it? You need to be sure it works. Also log in directly to the database with the same credentials to prove that you have the correct grants to see the various objects you want to import.
    Within the Import Metadata wizard you need to expand the objects in the middle pane and click the right-pointing arrows to get them to move across to the right pane, then click 'Finish'. Your repository physical layer should then show a new database, connection pool, catalog, schema and tables.
    Hope that helps
    Paul

  • Permissions-update seems to silently fail, permissions-info data not accurate

    We've followed the steps listed here: http://help.adobe.com/en_US/connect/9.0/webservices/WS5b3ccc516d4fbf351e63e3d11a171ddf77-7 fca_SP1.html
    To Authenticate as our Administrative User, who has the proper permissions, create a meeting.
    Then we created a second user (mHost), and called `permissions-update` to assign host permissions.
    When we execute `prinicpal-list`, or `principal-info` the user comes back indicating it is indeed a `live-admin` and `permissions-info` show this user (mHost) as a `host` for the meeting.
    However, at this point all of our users are entering the meetings as Participant.
    We cannot get them to become a Presenter or Host.
    Additionally, now, our Administrative User is unable to create a meeting and join as a Host either.
    It's like some how, over the weekend, our account got very confused about what capabilities it has.
    Any pointers?

    Since the users joining the room as a host must be in the Meeting Host group and listed with Host permissions on the Meeting room, I'd verify that the desired users are listed with Host permissions for the room to start.
    Then verify that they are members of the Meeting Host group.

Maybe you are looking for

  • External hard drive doesn't wake up fast enough for Time Machine

    I am having trouble with using SuperDuper and Time Machine doing their jobs with my external firewire drives. Config: One 750GB drive (one partition called DataDisk) and one 1TB drive (with two partitiions - Clone and TMDisk) connected thru daisychai

  • Intermittent problem typing lowercaSe letter S in Firefox browSer.

    i keep firefox up to date and problem perSiStS. In lowercaSe that typeS aS "perit" for "perSiStS". If I reStart Firefox it S ok for a while. I recently changed from windowS to Ubuntu and it Still happenS. Only happenS in Firefox.

  • CL_SALV_TABLE - how to trigger Double_Click question

    I am trying to find how to trigger an event on double click similar to  using Event Double_Click in Class CL_GUI_ALV_GRID   I am fresh out of the ABAP OO class and everything is a blur.  This is what I did.  I created a program that  with Data: r_gri

  • Customer tax exemption is not deduction in 4.7 version?

    Dear All, With reference to customer tax exemption, Washing allowances has to be exempted for the employees. I have created separate exemption wage type for washing allowance. In rule i have mentioned INCTX SEXM 3WSH A but it is not deducting in the

  • 3G Black & White photo

    Hello, When i view a black / white photo on my iPhone, it will turn into a mess. When i leave me finger on the screen the photo will be ok. When i don't do that i get a photo like this: http://img209.imageshack.us/img209/967/img0006yg1.png Can Apple