Logs to clean

In Mavericks, which logs can be cleaned or deleted?

Read this:
http://linuxdev.dk/blog/log-rotation-mac
Short version:
Go to the Terminal Utility and type sudo newsyslog
(sudo means superuser do - it asks for your admin password and hides it when you type it)
Please don't download/buy/run any "cleaner program." Simply not required on Macs.

Similar Messages

  • Error 41 - Kernel Power in event log after clean shutdown - Windows 8.0

    HP Envy H9-1405A - 16MB RAM,  Windows 8.0, and up to date with updates. (16 months old but under extended h/w warranty).  All user data backed-up daily.
    After problems earlier today I noticed that after a controlled shutdown and start from cool (ie on/off button on PC, not mains power at the wall) the startup took over 10 minutes.  Event browser showed error 41 - Kernel Power - "after system crash or lost power unexpectedly",  which it definitely hadn't as I was testing a controlled shutdown.
    When starting from overnight sleep mode this morning it came up with  blue screen and an error mssage something like 'hard disk driver error', or similar (before first coffee so I wasn't really awake).  PC wouldn't restart in anything like reasonable time until powered off at wall, after which it struggled up and ran normally for a while.  Went out for a couple of hours and on return again the PC wouldn't re-start from sleep mode.  Again used the wall power switch to effect the restart and PC and after very slow restart it ran normally.  Event log showed Startup Repair ran due to a corrupted registry hive, and reboot used an earlier version.
    Checkdisk ran clean and the HP Support Assistant diags just looped for ever.
    I then tried a system restart, which worked but took a long time, and then a controlled power down and start from cool which also took a long time as described above.  I've temporarily turned off sleep mode so as to keep working.
    Question - do I have a transient software problem which might be fixable with Recovery, or failing hardware that should be covered by warranty, and where might I find some hardware diagnostics to show to the supplier?  Thanks.

    Hello @mikerb,
    I have read your post on how your desktop computer is displaying an error message in regards to a Kernel event log, and I would be happy to assist you in this matter!
    To further diagnose this issue, I recommend following the steps in this document on Windows Kernel event ID 41 error "The system has rebooted without cleanly shutting down first". This should help to resolve the critical error message.
    Just to be on the safe side, I also suggest following this resource on Testing for Hardware Failures (Windows 8); which should help determine if there is a hardware defect with one or multiple hardware components on your computer.
    Please re-post with the results of your troubleshooting, and I look forward to your reply!
    Regards
    MechPilot
    I work on behalf of HP
    Please click “Accept as Solution ” if you feel my post solved your issue, it will help others find the solution.
    Click the “Kudos, Thumbs Up" on the right to say “Thanks” for helping!

  • Log file cleaning problem

    Hi,
    I'm evaluating Berkeley DB Java Edition for my application, and I have the following code:
    public class JETest {
         private Environment env;
         private Database myDb;
         public JETest() throws DatabaseException {
              EnvironmentConfig envConfig = new EnvironmentConfig();
              envConfig.setAllowCreate(true);
              envConfig.setTransactional(false);
              envConfig.setCachePercent(1);
              env = new Environment(new File("/tmp/test2"),envConfig);
              DatabaseConfig dbConfig = new DatabaseConfig();
              dbConfig.setDeferredWrite(true);
              dbConfig.setAllowCreate(true);
              dbConfig.setTransactional(false);
              myDb = env.openDatabase(null, "testing", dbConfig);
         public void cleanup() throws Exception {
              myDb.close();
              env.close();
         private void insertDelete() throws DatabaseException {
              int keyGen = Integer.MIN_VALUE;
              byte[] key = new byte[4];
              byte[] data = new byte[1024];
              ByteBuffer buff = ByteBuffer.wrap(key);
              for (int i=0;i<20000;i++) {
                   buff.rewind();
                   buff.putInt(keyGen++);
                   myDb.put(null, new DatabaseEntry(key), new DatabaseEntry(data));
              int count = 0;
              System.out.println("done inserting");
              keyGen = Integer.MIN_VALUE;
    OperationStatus status;
              for (int i=0;i<20000; i++) {
                   buff.rewind();
                   buff.putInt(keyGen++);
                   count++;
                   status = myDb.delete(null, new DatabaseEntry(key));
    if (status != OperationStatus.SUCCESS) {
                        System.out.println("Delete failed.");
              System.out.println("called delete "+count+" times");
              env.sync();
         public static void main(String[] args) throws Exception {
              JETest test = new JETest();
              test.insertDelete();
              test.cleanup();
    After running the above, I expected that the log file utilization be 0%, because I delete each and every record in the database. The status returned by the delete() method was OperationStatus.SUCCESS for all the invocations.
    I ran the DbSpace utility, and this is what I found:
    $ java -cp je-3.2.13/lib/je-3.2.13.jar com.sleepycat.je.util.DbSpace -h /tmp/test2 -d
    File Size (KB) % Used
    00000000 9765 99
    00000001 3236 99
    TOTALS 13001 99
    Obviously, the cleaner thread won't clean log files that are 99% used.
    I did expect the logs to be completely empty, though. What is going on here?
    Thanks,
    Lior

    Lior,
    With the default heap size (64m) I was able to reproduce the problem you're seeing. I think I understand what's happening.
    First see this note in the javadoc for setDeferredWrite:
    http://www.oracle.com/technology/documentation/berkeley-db/je/java/com/sleepycat/je/DatabaseConfig.html#setDeferredWrite(boolean)
    Note that although deferred write databases can page to disk if the cache is not large enough to hold the databases, they are much more efficient if the database remains in memory. See the JE FAQ on the Oracle Technology Network site for information on how to estimate the cache size needed by a given database. In the current implementation, a deferred write database which is synced or pages to the disk may also add additional log cleaner overhead to the environment. See the je.deferredWrite.temp property in <JEHOME>/example.properties for tuning information on how to ameliorate this cost.
    The statement above about "additional log cleaner overhead" is not quite accurate. Specifically, we do not currently keep track of obsolete information about DW (Deferred Write) databases. We are considering improvements in this area.
    Your test has brought out this issue to an extreme degree because of the very small cache size, and the fact that you delete all records. Most usage of DW that we see involves a bulk data load (no deletes), or deletes performed in memory so the record never goes to disk at all. With the tiny cache in your test, the records do go to disk before they are deleted.
    You can avoid this situation in a couple of different ways:
    1) Use a larger cache. If you insert and delete before calling sync, the inserted records will never be written to disk.
    2) If this is a temporary database (no durability is required), then you can set the je.deferredWrite.temp configuration parameter mentioned above. Setting this to true enables accurate utilization tracking for a DW database, for the case where durability is not required.
    # If true, assume that deferred write database will never be
    # used after an environment is closed. This permits a more efficient
    # form of logging of deferred write objects that overflow to disk
    # through cache eviction or Database.sync() and reduces log cleaner
    # overhead.
    # je.deferredWrite.temp=false
    # (mutable at run time: false)
    Will either of these options work for your application?
    Mark

  • Log cleaning takes a lot

    Hi,
    I've been reading the forum but could not find a hint for solving my problem. I apologize if I missed something and the answer is already there.
    My scenario for using BDB (je-4.0.103):
    - a read-only environment with about 4000 databases. The environment uses about 100GB disk space. Log file size is 10MB. Cache size is 100MB.
    - databases are opened only when needed and are closed after a few minutes of inactivity
    - when in read-only mode cleaner, checkpointer and IN compressor threads are disabled
    - once a day, the env is closed and re-opened in read/write mode for performing bulk data load, in deferred write mode, without transactions. About 0.5 - 1GB of data is imported daily (1 million key-value pairs).
    - during load, IN compressor is enabled but cleaner and checkpointer are not
    - log cleaning and checkpointing is invoked manually at the end of data import using the algorithm suggested in the docs
    After several months of working properly without any signs of degradation the whole thing broke down suddenly. The log cleaning takes now hours instead of minutes and it does not seem to do its job: the environment is now 250GB and keeps growing. Restart also takes several hours.
    Any help would be appreciated. If more details about my setup is needed, I can provide it.
    Thank you!
    Edited by: user9045772 on Sep 17, 2010 3:30 AM
    Mentioned the size of the cache.

    Hi Eric,
    Thank you very much for your help.
    I just tried increasing the cache from 100MB to 1GB and it made miracles. Log cleaning was finally completed after 2 hours. The db start time is now back to normal (less than 2 minutes).
    I'm still concerned with the fact that log cleaning takes a lot, but at least it finishes after several hours. Will have a look at db space utilization after completing a new run and will tell you the results.
    Until then, here are the env config and stats (after increasing the cache), maybe you spot something odd:
    ------------------ Env Config ------------------------------------
    allowCreate=true
    cacheSize=1048576000
    txnNoSync=false
    txnWriteNoSync=false
    {je.log.fileMax=10485760,
    je.env.runCheckpointer=false,
    je.env.runCleaner=false,
    je.log.totalBufferBytes=10485760,
    je.cleaner.minFileUtilization=50,
    je.env.isLocking=false,
    je.cleaner.minUtilization=80,
    je.sharedCache=true,
    je.env.runINCompressor=true,
    je.env.isTransactional=false,
    je.env.isReadOnly=false,
    je.log.faultReadSize=120960,
    je.log.bufferSize=5242880,
    je.maxMemory=10485760000,
    je.log.numBuffers=2,
    je.log.iteratorReadSize=120960}
    ------------------ Env Stats ------------------------------------
    I/O: Log file opens, fsyncs, reads, writes, cache misses.
         bufferBytes=10,485,760
         endOfLog=0x0/0x0
         nBytesReadFromWriteQueue=0
         nBytesWrittenFromWriteQueue=0
         nCacheMiss=24,646
         nFSyncRequests=1
         nFSyncTimeouts=0
         nFSyncs=1
         nFileOpens=5,319
         nLogBuffers=2
         nLogFSyncs=3
         nNotResident=24,646
         nOpenFiles=100
         nRandomReadBytes=1,664,658,816
         nRandomReads=13,751
         nRandomWriteBytes=2,961,648
         nRandomWrites=1
         nReadsFromWriteQueue=0
         nRepeatFaultReads=2
         nSequentialReadBytes=53,787,475,644
         nSequentialReads=274,985
         nSequentialWriteBytes=0
         nSequentialWrites=0
         nTempBufferWrites=0
         nWriteQueueOverflow=0
         nWriteQueueOverflowFailures=0
         nWritesFromWriteQueue=0
    Cache: Current size, allocations, and eviction activity.
         adminBytes=4,807,377
         cacheTotalBytes=21,728,916
         dataBytes=6,435,779
         lockBytes=0
         nBINsEvictedCACHEMODE=0
         nBINsEvictedCRITICAL=0
         nBINsEvictedEVICTORTHREAD=0
         nBINsEvictedMANUAL=0
         nBINsFetch=53,566
         nBINsFetchMiss=543
         nBINsStripped=0
         nEvictPasses=0
         nLNsFetch=90,991
         nLNsFetchMiss=24,096
         nNodesEvicted=0
         nNodesScanned=0
         nNodesSelected=0
         nRootNodesEvicted=0
         nSharedCacheEnvironments=1
         nUpperINsEvictedCACHEMODE=0
         nUpperINsEvictedCRITICAL=0
         nUpperINsEvictedEVICTORTHREAD=0
         nUpperINsEvictedMANUAL=0
         nUpperINsFetch=36,940
         nUpperINsFetchMiss=9
         requiredEvictBytes=0
         sharedCacheTotalBytes=21,728,916
    Cleaning: Frequency and extent of log file cleaning activity.
         cleanerBackLog=7,441
         fileDeletionBacklog=0
         nCleanerDeletions=0
         nCleanerEntriesRead=1,400,054
         nCleanerRuns=4,845
         nClusterLNsProcessed=0
         nINsCleaned=0
         nINsDead=0
         nINsMigrated=0
         nINsObsolete=86
         nLNQueueHits=0
         nLNsCleaned=0
         nLNsDead=0
         nLNsLocked=0
         nLNsMarked=0
         nLNsMigrated=0
         nLNsObsolete=1,390,901
         nMarkLNsProcessed=0
         nPendingLNsLocked=0
         nPendingLNsProcessed=0
         nRepeatIteratorReads=0
         nToBeCleanedLNsProcessed=0
         totalLogSize=0
    Node Compression: Removal and compression of internal btree nodes.
         cursorsBins=0
         dbClosedBins=0
         inCompQueueSize=0
         nonEmptyBins=0
         processedBins=15
         splitBins=0
    Checkpoints: Frequency and extent of checkpointing activity.
         lastCheckpointEnd=0xae0c/0x74f5c6
         lastCheckpointId=1,590
         lastCheckpointStart=0xae0c/0x4c6dea
         nCheckpoints=1
         nDeltaINFlush=15
         nFullBINFlush=47
         nFullINFlush=51
    Environment: General environment wide statistics.
         btreeRelatchesRequired=148
    Locks: Locks held by data operations, latching contention on lock table.
         nLatchAcquireNoWaitUnsuccessful=0
         nLatchAcquiresNoWaitSuccessful=0
         nLatchAcquiresNoWaiters=0
         nLatchAcquiresSelfOwned=0
         nLatchAcquiresWithContention=0
         nLatchReleases=0
         nRequests=0
         nWaits=0
    Edited by: user9045772 on Sep 17, 2010 4:12 AM
    added env config and stats

  • [svn:osmf:] 14976: Clean up and expose logging API.

    Revision: 14976
    Revision: 14976
    Author:   [email protected]
    Date:     2010-03-23 17:21:14 -0700 (Tue, 23 Mar 2010)
    Log Message:
    Clean up and expose logging API.
    Modified Paths:
        osmf/trunk/apps/samples/framework/SampleLoggers/org/osmf/logging/flex/FlexLogWrapper.as
        osmf/trunk/apps/samples/framework/SampleLoggers/org/osmf/logging/flex/FlexLoggerWrapper.a s
        osmf/trunk/framework/OSMF/org/osmf/logging/ILogger.as
        osmf/trunk/framework/OSMF/org/osmf/logging/ILoggerFactory.as
        osmf/trunk/framework/OSMF/org/osmf/logging/Log.as
        osmf/trunk/framework/OSMF/org/osmf/logging/TraceLogger.as
        osmf/trunk/framework/OSMF/org/osmf/logging/TraceLoggerFactory.as

    a) You can use
    handler = new FileHandler(Constant.LOGFILE, true);
    Check the Javadoc please...
    b) you can configure the property "java.util.logging.FileHandler.append" to "true" (again, check the javadoc of java.util.logging.FileHandler)

  • Windows update KB2964444 broke Event Logging Service and SQL Agent Service on Windows Server 2008 R2

    I got the following problem:
    I discovered that on my Windows Server 2008R2 machine the event logging stopped working on 04/May/2014 at 03:15.
    Also, SQL Agent Service won't run
    The only change that day was security
    update KB2964444 - Security
    Update for Internet Explorer 11 for Windows Server 2008 R2for x64-based Systems, that was installed exactly 04/May/2014 at 03:00. Apparently, that's what broke my machine...
    When I try to start Windows Event Log via net
    start eventlog or via Services
    panel, I get an error:
    C:\Users\Administrator>net start eventlog
    The Windows Event Log service is starting.
    The Windows Event Log service could not be started.
    A system error has occurred.
    System error 2 has occurred.
    The system cannot find the file specified.
    I tried:
    restarted the OS (virtual on the host's VMWare).
    re-checked the settings in services menu -they are like in the link.
    checked the identity in HKEY_LOCAL_MACHINE\SYSTEM\CurrentControlSet\Services\eventlog -
    the identity is NT
    AUTHORITY\LocalService
    gave all Authenticated Users full access to C:\Windows\System32\winevt\Logs
    ran fc /scannow - Windows Resource Protection did not find any integrity violations.
    went to the file %windir%\logs\cbs\cbs.log -
    all clean, [SR] Repairing 0 components
    EDIT: Uninstalled the recent system updates and rebooted - didn't help
    EDIT: Sysinternals Process Monitor results when running start service from services panel (procmon in elevated mode):
    filters:
    process name is svchost.exe : include
    operation contains TCP : exclude
    the events captured are:
    21:50:33.8105780 svchost.exe 772 Thread Create SUCCESS Thread ID: 6088
    21:50:33.8108848 svchost.exe 772 RegOpenKey HKLM SUCCESS Desired Access: Maximum Allowed, Granted Access: Read
    21:50:33.8109134 svchost.exe 772 RegQueryKey HKLM SUCCESS Query: HandleTags, HandleTags: 0x0
    21:50:33.8109302 svchost.exe 772 RegOpenKey HKLM\System\CurrentControlSet\Services REPARSE Desired Access: Read
    21:50:33.8109497 svchost.exe 772 RegOpenKey HKLM\System\CurrentControlSet\Services SUCCESS Desired Access: Read
    21:50:33.8110051 svchost.exe 772 RegCloseKey HKLM SUCCESS
    21:50:33.8110423 svchost.exe 772 RegQueryKey HKLM\System\CurrentControlSet\services SUCCESS Query: HandleTags, HandleTags: 0x0
    21:50:33.8110705 svchost.exe 772 RegOpenKey HKLM\System\CurrentControlSet\services\eventlog SUCCESS Desired Access: Read
    21:50:33.8110923 svchost.exe 772 RegQueryKey HKLM\System\CurrentControlSet\services\eventlog SUCCESS Query: HandleTags, HandleTags: 0x0
    21:50:33.8111257 svchost.exe 772 RegOpenKey HKLM\System\CurrentControlSet\services\eventlog\Parameters SUCCESS Desired Access: Read
    21:50:33.8111547 svchost.exe 772 RegCloseKey HKLM\System\CurrentControlSet\services SUCCESS
    21:50:33.8111752 svchost.exe 772 RegCloseKey HKLM\System\CurrentControlSet\services\eventlog SUCCESS
    21:50:33.8111901 svchost.exe 772 RegQueryValue HKLM\System\CurrentControlSet\services\eventlog\Parameters\ServiceDll SUCCESS Type: REG_SZ, Length: 68, Data: %SystemRoot%\System32\wevtsvc.dll
    21:50:33.8112148 svchost.exe 772 RegCloseKey HKLM\System\CurrentControlSet\services\eventlog\Parameters SUCCESS
    21:50:33.8116552 svchost.exe 772 Thread Exit SUCCESS Thread ID: 6088, User Time: 0.0000000, Kernel Time: 0.0000000
    NOTE: previoulsy, for
    21:46:31.6130476 svchost.exe 772 RegQueryValue HKLM\System\CurrentControlSet\services\eventlog\Parameters\ServiceDll SUCCESS Type: REG_SZ, Length: 68, Data: %SystemRoot%\System32\wevtsvc.dll
    I also got NAME
    NOT FOUND error ,so I created the new string value for the Parameters with
    the name ServiceDll and
    data %SystemRoot%\System32\wevtsvc.dll (copied
    from the upper HKEY_LOCAL_MACHINE\SYSTEM\CurrentControlSet\services\eventlog key)
    and this event now is
    21:46:31.6130476 svchost.exe 772 RegQueryValue HKLM\System\CurrentControlSet\services\eventlog\Parameters\ServiceDll SUCCESS Type: REG_SZ, Length: 68, Data: %SystemRoot%\System32\wevtsvc.dll
    I also checked for the presence of wevtsvc.dll in
    the place and it's there.
    Also, I tried to capture all events with path containing 'event' and
    got following events firing every several seconds:
    21:38:38.9185226 services.exe 492 RegQueryValue HKLM\System\CurrentControlSet\services\EventSystem\Tag NAME NOT FOUND Length: 16
    21:38:38.9185513 services.exe 492 RegQueryValue HKLM\System\CurrentControlSet\services\EventSystem\DependOnGroup NAME NOT FOUND Length: 268
    21:38:38.9185938 services.exe 492 RegQueryValue HKLM\System\CurrentControlSet\services\EventSystem\Group NAME NOT FOUND Length: 268
    Also, I tried to capture all the events containing 'file',
    excluding w3wp.exe,
    chrome.exe, wmiprvse.exe, wmtoolsd.exe, System and it shows NO attempts to access any file ih the time I try to start
    the event logger (if run from cmd - there are several hits by net executable,
    not present if run from the panel).
    What can be done?

    Hi,
    I don’t found the similar issue, if you have the IE 11 please try to update system automatic or install the MS14-029 update.
    The related KB:
    MS14-029: Security update for Internet Explorer 11 for systems that do not have update 2919355 (for Windows 8.1 or Windows Server 2012 R2) or update 2929437 (for Windows 7
    SP1 or Windows Server 2008 R2 SP1) installed: May 13, 2014
    http://support.microsoft.com/kb/2961851/en-us
    Hope this helps.
    We
    are trying to better understand customer views on social support experience, so your participation in this
    interview project would be greatly appreciated if you have time.
    Thanks for helping make community forums a great place.

  • Sync stopped across all my PCs after updating to FF 20.0 on a Linux PC (mix of FF versions). Logs indicate err 503, so coincidence; will this resolve itself?

    I use Sync across a desktop PC and a laptop PC. The desktop runs Vista; the laptop dual-boots Linux and WinXP. Back in the day, I initiated Sync with the desktop, then paired both Firefox installations from each of the laptop's OSes. I sync all available objects. I haven't used Firefox on the laptop/WinXP since before the issue started, and I cannot recall what version I'm at there. I have not attempted to run Firefox from the laptop/WinXP side since the issue started.
    My experience has been unremarkable (good) until just a couple of days ago. On the desktop I was already at Firefox ver. 20, while on the laptop's Linux OS, I had been at FF 19.
    On the laptop/Linux, I had these recent experiences just before the trouble started:
    1) Operating under FF 19, Sync appeared normal. Autoupdate to ver. 20 offered but would never connect and start when selected. Abort and re-check Help->About presented a manual download link for ver. 20 instead.
    2) Updated via manual download/install of ver. 20 via suggested link. No issues noticed; Sync appeared normal.
    3) Unrelated activities caused me to boot Linux under a root filesystem (including /home) version from the day before I installed ver. 20, and I needed and did run FF ver. 19 again while on this filesystem. Sync _may_ have run and if so, I do not know if it was okay with going "back in time" this way. I was not paying close attention to it at the time, except to say I didn't notice anything unusual about my browsing experience.
    4) With the unrelated activities handled, I resumed booting from my normal and current root filesystem, containing FF ver. 20 and my /home and profile from after the upgrade. Again, I did not notice anything obviously wrong.
    Later, on the desktop system, the next sync caused all the graphics in my selected personas skin to vanish, leaving just the underlying color style. No other stored personas worked. All sync'ed items appeared to be untouched, but the problem with the personas skins alerted me to somthing being wrong. Attempts to re-sync failed.
    Still later, back on the laptop/Linux, the next sync produced the same effect with the personas skins. They remain listed by name, but their source graphics (including addons list icons and text descriptions) have vanished. No other issues are apparent, and no addons or settings, etc. appear to be missing.
    Re-sync attempts from either system now fail, but after retrying, indicate the problem is with the server being unavailable due to maintenance...suggesting the Sync service is having an issue, and when it comes back, this will resolve itself. Is that the case, making this just a big coincidence, or is there more going on?
    I can provide the saved log files from either the desktop FF ver. 20, or the laptop/Linux FF ver. 20. I cannot provide any logs from the backup root filesystem that contained laptop/Linux FF ver. 19, as that snapshot is now gone. Also, I've not run FF (ver. ?) from the laptop/WinXP side so far during this evolution...but I could provide data and logs from there if it would help.
    An excerpt from the most recent sync attempt from my desktop system appears below to illustrate the error:
    1366952880580 Sync.Service DEBUG Fetching global metadata record
    1366952891895 Sync.Resource DEBUG mesg: GET success 200 https://phx-sync299.services.mozilla.com/1.1/rj4aro36czb4apyh6zydowitfljhqed2/storage/meta/global
    1366952891895 Sync.Resource DEBUG GET success 200 https://phx-sync299.services.mozilla.com/1.1/rj4aro36czb4apyh6zydowitfljhqed2/storage/meta/global
    1366952891895 Sync.Service DEBUG Weave Version: 1.22.0 Local Storage: 5 Remote Storage: 5
    1366952891896 Sync.Service INFO Sync key is up-to-date: no need to upgrade.
    1366952891896 Sync.Service DEBUG Fetching and verifying -- or generating -- symmetric keys.
    1366952891897 Sync.SyncKeyBundle INFO SyncKeyBundle being created.
    1366952903521 Sync.Resource DEBUG mesg: GET success 200 https://phx-sync299.services.mozilla.com/1.1/rj4aro36czb4apyh6zydowitfljhqed2/info/collections
    1366952903522 Sync.Resource DEBUG GET success 200 https://phx-sync299.services.mozilla.com/1.1/rj4aro36czb4apyh6zydowitfljhqed2/info/collections
    1366952903522 Sync.Service INFO Testing info/collections: {"passwords":1365577320.11,"addons":1366750745.5,"tabs":1366950617.59,"clients":1366948047.1,"crypto":1365145328.28,"forms":1366860655.89,"meta":1365145380.12,"bookmarks":1366799244.25,"prefs":1366692754.54,"history":1366950593.58}
    1366952903522 Sync.CollectionKeyManager INFO Testing for updateNeeded. Last modified: 0
    1366952903522 Sync.Service INFO collection keys reports that a key update is needed.
    1366952909816 Sync.SyncScheduler DEBUG Next sync in 3600000 ms.
    1366952910712 Sync.Resource DEBUG mesg: GET success 200 https://phx-sync299.services.mozilla.com/1.1/rj4aro36czb4apyh6zydowitfljhqed2/storage/crypto/keys
    1366952910712 Sync.Resource DEBUG GET success 200 https://phx-sync299.services.mozilla.com/1.1/rj4aro36czb4apyh6zydowitfljhqed2/storage/crypto/keys
    1366952910713 Sync.CollectionKeyManager INFO Updating collection keys...
    1366952910716 Sync.CollectionKeyManager INFO Setting collection keys contents. Our last modified: 0, input modified: 1365145328.28.
    1366952910716 Sync.BulkKeyBundle INFO BulkKeyBundle being created for [default]
    1366952910716 Sync.CollectionKeyManager INFO Processing downloaded per-collection keys.
    1366952910717 Sync.CollectionKeyManager INFO Clearing collection keys...
    1366952910717 Sync.CollectionKeyManager INFO Saving downloaded keys.
    1366952910717 Sync.CollectionKeyManager INFO Bumping last modified to 1365145328.28
    1366952910717 Sync.CollectionKeyManager INFO Collection keys updated.
    1366952910717 Sync.Status DEBUG Status.login: success.login => success.login
    1366952910717 Sync.Status DEBUG Status.service: success.status_ok => success.status_ok
    1366952910731 Sync.Status DEBUG Status.service: success.status_ok => success.status_ok
    1366952910732 Sync.Status DEBUG Status.service: success.status_ok => success.status_ok
    1366952910733 Sync.SyncScheduler DEBUG Clearing sync triggers and the global score.
    1366952910734 Sync.Status INFO Resetting Status.
    1366952910735 Sync.Status DEBUG Status.service: success.status_ok => success.status_ok
    1366952911057 Sync.SyncScheduler DEBUG Next sync in 3600000 ms.
    1366952922945 Sync.Resource DEBUG mesg: GET fail 503 https://phx-sync299.services.mozilla.com/1.1/rj4aro36czb4apyh6zydowitfljhqed2/info/collections?v=1.22.0
    1366952922945 Sync.Resource DEBUG GET fail 503 https://phx-sync299.services.mozilla.com/1.1/rj4aro36czb4apyh6zydowitfljhqed2/info/collections?v=1.22.0
    1366952922946 Sync.ErrorHandler DEBUG Got Retry-After: 300
    1366952922946 Sync.Status DEBUG Status.sync: success.sync => error.sync.reason.serverMaintenance
    1366952922946 Sync.Status DEBUG Status.service: success.status_ok => error.sync.failed

    UPDATE 04260817z -- Suggestions?
    The latest Sync log for my desktop system indicates sync completed this time, but there appear to be problems with the personas skins addons. From what I can gather trying my best to interpret the log, something might have happened with one of my paired instances of FF when it transmitted or updated the list of these addons. This log indicates it cannot sync the personas skins because they're not available from the sync store (and they've been partially wiped out from my FF instances). So I guess my desktop's FF knows it has had a given personas skin installed, and when trying to reactivate it, discovers the data is missing, and tries to fetch it from Sync, but sync doesn't have it...stuck.
    Have a look at this log, confim my interpretation, and please offer suggestions for how to try to proceed without breaking anything else. Thanks!!
    <pre><nowiki>1366961420118 Sync.ErrorHandler DEBUG Flushing file log.
    1366961420120 Sync.Status DEBUG Status.service: error.sync.failed_partial => success.status_ok
    1366961420121 Sync.Status DEBUG Status.service: success.status_ok => success.status_ok
    1366961420121 Sync.Status DEBUG Status.service: success.status_ok => success.status_ok
    1366961420166 Sync.ErrorHandler DEBUG Log cleanup threshold time: 1366097420166
    1366961420229 Sync.ErrorHandler DEBUG No logs to clean up.
    1366961808086 Sync.Status DEBUG Status.service: success.status_ok => success.status_ok
    1366963496275 Sync.Status DEBUG Status.service: success.status_ok => success.status_ok
    1366963508078 Sync.AddonsReconciler DEBUG Add-on change: onDisabling to [email protected]
    1366963508078 Sync.AddonsReconciler DEBUG Ignoring onDisabling for restartless add-on.
    1366963508084 Sync.AddonsReconciler DEBUG Add-on change: onDisabled to [email protected]
    1366963508085 Sync.AddonsReconciler DEBUG Rectifying state for addon: [email protected]
    1366963508085 Sync.AddonsReconciler DEBUG Adding change because enabled state changed: [email protected]
    1366963508085 Sync.AddonsReconciler INFO Change recorded for [email protected]
    1366963508085 Sync.Tracker.Addons DEBUG changeListener invoked: 4 [email protected]
    1366963508085 Sync.Store.Addons DEBUG [email protected] not syncable: add-on not found in add-on repository.
    1366963508085 Sync.Tracker.Addons DEBUG Ignoring change because add-on isn't syncable: [email protected]
    1366963508088 Sync.AddonsReconciler INFO Saving reconciler state to file: addonsreconciler
    1366963508214 Sync.SyncScheduler DEBUG Global Score threshold hit, triggering sync.
    1366963508259 Sync.AddonsReconciler DEBUG Add-on change: onEnabling to [email protected]
    1366963508259 Sync.AddonsReconciler DEBUG Ignoring onEnabling for restartless add-on.
    1366963508294 Sync.AddonsReconciler DEBUG Add-on change: onEnabled to [email protected]
    1366963508295 Sync.AddonsReconciler DEBUG Rectifying state for addon: [email protected]
    1366963508295 Sync.AddonsReconciler DEBUG Adding change because enabled state changed: [email protected]
    1366963508295 Sync.AddonsReconciler INFO Change recorded for [email protected]
    1366963508295 Sync.Tracker.Addons DEBUG changeListener invoked: 3 [email protected]
    1366963508295 Sync.Store.Addons DEBUG [email protected] not syncable: add-on not found in add-on repository.
    1366963508295 Sync.Tracker.Addons DEBUG Ignoring change because add-on isn't syncable: [email protected]
    1366963508313 Sync.AddonsReconciler INFO Saving reconciler state to file: addonsreconciler
    1366963508317 Sync.Service DEBUG User-Agent: Firefox/20.0.1 FxSync/1.22.0.20130409194949.
    1366963508317 Sync.Service INFO Starting sync at 2013-04-26 08:05:08
    1366963508317 Sync.SyncScheduler DEBUG Clearing sync triggers and the global score.
    1366963508318 Sync.Status INFO Resetting Status.
    1366963508318 Sync.Status DEBUG Status.service: success.status_ok => success.status_ok
    1366963508466 Sync.SyncScheduler DEBUG Global Score threshold hit, triggering sync.
    1366963508489 Sync.Service DEBUG User-Agent: Firefox/20.0.1 FxSync/1.22.0.20130409194949.
    1366963508489 Sync.Service INFO Starting sync at 2013-04-26 08:05:08
    1366963508489 Sync.Service DEBUG Exception: Could not acquire lock. Label: "service.js: sync". No traceback available
    1366963508489 Sync.Service INFO Cannot start sync: already syncing?
    1366963509587 Sync.Resource DEBUG mesg: GET success 200 https://phx-sync299.services.mozilla.com/1.1/rj4aro36czb4apyh6zydowitfljhqed2/info/collections
    1366963509587 Sync.Resource DEBUG GET success 200 https://phx-sync299.services.mozilla.com/1.1/rj4aro36czb4apyh6zydowitfljhqed2/info/collections
    1366963509588 Sync.Service DEBUG Fetching global metadata record
    1366963509588 Sync.Service DEBUG Weave Version: 1.22.0 Local Storage: 5 Remote Storage: 5
    1366963509588 Sync.Service INFO Sync key is up-to-date: no need to upgrade.
    1366963509588 Sync.Service DEBUG Fetching and verifying -- or generating -- symmetric keys.
    1366963509588 Sync.Service INFO Testing info/collections: {"passwords":1365577320.11,"tabs":1366960299.53,"clients":1366954606.81,"crypto":1365145328.28,"forms":1366860655.89,"meta":1365145380.12,"prefs":1366957189.91,"bookmarks":1366956848.81,"addons":1366750745.5,"history":1366961119.98}
    1366963509588 Sync.CollectionKeyManager INFO Testing for updateNeeded. Last modified: 1365145328.28
    1366963509588 Sync.Synchronizer DEBUG Refreshing client list.
    1366963509589 Sync.Engine.Clients INFO 0 outgoing items pre-reconciliation
    1366963509590 Sync.Engine.Clients INFO Records: 0 applied, 0 successfully, 0 failed to apply, 0 newly failed to apply, 0 reconciled.
    1366963509591 Sync.Synchronizer INFO Updating enabled engines: 3 clients.
    1366963509593 Sync.Engine.Bookmarks INFO 0 outgoing items pre-reconciliation
    1366963509594 Sync.Engine.Bookmarks INFO Records: 0 applied, 0 successfully, 0 failed to apply, 0 newly failed to apply, 0 reconciled.
    1366963509597 Sync.Engine.Forms INFO 2 outgoing items pre-reconciliation
    1366963509598 Sync.Engine.Forms INFO Records: 0 applied, 0 successfully, 0 failed to apply, 0 newly failed to apply, 0 reconciled.
    1366963509611 Sync.Engine.Forms INFO Uploading all of 2 records
    1366963509612 Sync.Collection DEBUG POST Length: 785
    1366963510491 Sync.Collection DEBUG mesg: POST success 200 https://phx-sync299.services.mozilla.com/1.1/rj4aro36czb4apyh6zydowitfljhqed2/storage/forms
    1366963510491 Sync.Collection DEBUG POST success 200 https://phx-sync299.services.mozilla.com/1.1/rj4aro36czb4apyh6zydowitfljhqed2/storage/forms
    1366963510493 Sync.Engine.History INFO 13 outgoing items pre-reconciliation
    1366963510494 Sync.Engine.History INFO Records: 0 applied, 0 successfully, 0 failed to apply, 0 newly failed to apply, 0 reconciled.
    1366963510521 Sync.Engine.History INFO Uploading all of 13 records
    1366963510522 Sync.Collection DEBUG POST Length: 6875
    1366963510921 Sync.Collection DEBUG mesg: POST success 200 https://phx-sync299.services.mozilla.com/1.1/rj4aro36czb4apyh6zydowitfljhqed2/storage/history
    1366963510921 Sync.Collection DEBUG POST success 200 https://phx-sync299.services.mozilla.com/1.1/rj4aro36czb4apyh6zydowitfljhqed2/storage/history
    1366963510923 Sync.Engine.Passwords INFO 0 outgoing items pre-reconciliation
    1366963510924 Sync.Engine.Passwords INFO Records: 0 applied, 0 successfully, 0 failed to apply, 0 newly failed to apply, 0 reconciled.
    1366963510925 Sync.Engine.Prefs INFO 1 outgoing items pre-reconciliation
    1366963510926 Sync.Engine.Prefs INFO Records: 0 applied, 0 successfully, 0 failed to apply, 0 newly failed to apply, 0 reconciled.
    1366963510991 Sync.Engine.Prefs INFO Uploading all of 1 records
    1366963510992 Sync.Collection DEBUG POST Length: 21951
    1366963511249 Sync.Collection DEBUG mesg: POST success 200 https://phx-sync299.services.mozilla.com/1.1/rj4aro36czb4apyh6zydowitfljhqed2/storage/prefs
    1366963511249 Sync.Collection DEBUG POST success 200 https://phx-sync299.services.mozilla.com/1.1/rj4aro36czb4apyh6zydowitfljhqed2/storage/prefs
    1366963511250 Sync.Engine.Tabs DEBUG First sync, uploading all items
    1366963511251 Sync.Engine.Tabs INFO 1 outgoing items pre-reconciliation
    1366963518535 Sync.AddonsReconciler DEBUG Add-on change: onEnabling to {972ce4c6-7e08-4474-a285-3208198ce6fd}
    1366963518535 Sync.AddonsReconciler DEBUG Ignoring onEnabling for restartless add-on.
    1366963518568 Sync.AddonsReconciler DEBUG Add-on change: onEnabled to {972ce4c6-7e08-4474-a285-3208198ce6fd}
    1366963518568 Sync.AddonsReconciler DEBUG Rectifying state for addon: {972ce4c6-7e08-4474-a285-3208198ce6fd}
    1366963518568 Sync.AddonsReconciler DEBUG Adding change because enabled state changed: {972ce4c6-7e08-4474-a285-3208198ce6fd}
    1366963518568 Sync.AddonsReconciler INFO Change recorded for {972ce4c6-7e08-4474-a285-3208198ce6fd}</nowiki></pre>
    --snip for 10k limit--

  • [svn:fx-trunk] 11899: Cleaning up some FIXMEs assigned to me in the code:

    Revision: 11899
    Revision: 11899
    Author:   [email protected]
    Date:     2009-11-17 10:24:33 -0800 (Tue, 17 Nov 2009)
    Log Message:
    Cleaning up some FIXMEs assigned to me in the code:
    In UIMC, we now call invalidateParentSizeAndDL() on setting explicitMaxWidth.  We already do this for explicitMaxHeight.  I also changed a FIXME around invalidateLayering() in to a TODO.
    In GroupBase, I removed a FIXME around the focusPane as we are using the overlay API now.
    In DataGroup, I changed a FIXME to a TODO with some clarifying comments.
    In SkinnableContainer, I removed a FIXME and just commented on why it was needed.  I also removed another FIXME and some code now that it seems like we don?\226?\128?\153t need to do the array conversion with IDefferedInstance since the compiler handles it for us now.
    In SkinnableDataContainer, I changed a FIXME around event delegation to a TODO.
    In DropDownController, when you drag around the volume bar, the popup stays open even if the mouse isn?\226?\128?\153t over the open button or the dropdown.  However, when the mouse is released, we should immediately close the drop down, rather than wait for another mouseMove to occur.  This involved some refactoring of some code in to a private helper method.  The "@private" protected methods in DropDownController should probably be made mx_internal.  I will do that in a subsequent checkin.
    QE notes: -
    Doc notes: -
    Bugs: -
    Reviewer: Jason for the DropDownController change, Glenn for the rest
    Tests run: checkintests, mustella FCK, Panel, SkinnableContainer, DropDownList
    Is noteworthy for integration: No
    Modified Paths:
        flex/sdk/trunk/frameworks/projects/flash-integration/src/mx/flash/UIMovieClip.as
        flex/sdk/trunk/frameworks/projects/spark/src/spark/components/DataGroup.as
        flex/sdk/trunk/frameworks/projects/spark/src/spark/components/SkinnableContainer.as
        flex/sdk/trunk/frameworks/projects/spark/src/spark/components/SkinnableDataContainer.as
        flex/sdk/trunk/frameworks/projects/spark/src/spark/components/supportClasses/DropDownCont roller.as
        flex/sdk/trunk/frameworks/projects/spark/src/spark/components/supportClasses/GroupBase.as

  • Workspace Credential Conflict between Logged-in User and the Authenticated User

    Hi there,
    I am running LiveCycle ES Update1 SP2 with Process Management component on WIN/JBoss/SQL Server 2005.
    I have been encountering user credential conflicts from time to time, but it has not been consistent and the problem manifested in various ways, such as:
    - problem when logging in with error "An error occurred retrieving tasks." on the login screen
    - user logs in successfully but is showing somebody else queue(s) with his/her own queue with no task in there
    - fails to claim task from group queue.
    The stacktrace from the server.log file I collected from a production system shows the exception below.
    Has anybody else encountered the similar problem?
    It looks to me that it doesn't log out cleanly and some kind of caching is done on the authenticated session and is not cleaned up properly on user logout.
    2009-07-10 15:05:13,955 ERROR [com.adobe.workspace.AssemblerUtility] ALC-WKS-005-008: Security exception: the user specified in the fill parameters (oid=F0FA390C-AECC-BB19-F0D7-6CA13D6CBF83) did not match the authenticated user (oid=F25892EE-80CE-8C24-E40D-881F631AA8BE).
    2009-07-10 15:05:13,955 INFO  [STDOUT] [LCDS] [ERROR] Exception when invoking service 'remoting-service': flex.messaging.MessageException: ALC-WKS-005-008: Security exception: the user specified in the fill parameters (oid=F0FA390C-AECC-BB19-F0D7-6CA13D6CBF83) did not match the authenticated user (oid=F25892EE-80CE-8C24-E40D-881F631AA8BE).
      incomingMessage: Flex Message (flex.messaging.messages.RemotingMessage)
        operation = submitWithData
        clientId = F3D2CDD0-330F-F00B-C710-5AF3F7CB4138
        destination = task-actions
        messageId = 7E385A6B-E4E6-3A81-CD6A-630DF4FAE5BB
        timestamp = 1247202313955
        timeToLive = 0
        body = null
        hdr(DSEndpoint) = workspace-polling-amf
        hdr(DSId) = F3C38977-171B-7BED-3B16-F3A5FE419479
      Exception: flex.messaging.MessageException: ALC-WKS-005-008: Security exception: the user specified in the fill parameters (oid=F0FA390C-AECC-BB19-F0D7-6CA13D6CBF83) did not match the authenticated user (oid=F25892EE-80CE-8C24-E40D-881F631AA8BE).
        at com.adobe.workspace.AssemblerUtility.createMessageException(AssemblerUtility.java:369)
        at com.adobe.workspace.AssemblerUtility.checkParameters(AssemblerUtility.java:561)
        at com.adobe.workspace.tasks.TaskActions.callSubmitService(TaskActions.java:788)
        at com.adobe.workspace.tasks.TaskActions.submitWithData(TaskActions.java:773)
        at sun.reflect.GeneratedMethodAccessor941.invoke(Unknown Source)
        at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:25)
        at java.lang.reflect.Method.invoke(Method.java:585)
        at flex.messaging.services.remoting.adapters.JavaAdapter.invoke(JavaAdapter.java:421)
        at flex.messaging.services.RemotingService.serviceMessage(RemotingService.java:183)
        at flex.messaging.MessageBroker.routeMessageToService(MessageBroker.java:1495)
        at flex.messaging.endpoints.AbstractEndpoint.serviceMessage(AbstractEndpoint.java:882)
        at flex.messaging.endpoints.amf.MessageBrokerFilter.invoke(MessageBrokerFilter.java:121)
        at flex.messaging.endpoints.amf.LegacyFilter.invoke(LegacyFilter.java:158)
        at flex.messaging.endpoints.amf.SessionFilter.invoke(SessionFilter.java:44)
        at flex.messaging.endpoints.amf.BatchProcessFilter.invoke(BatchProcessFilter.java:67)
        at flex.messaging.endpoints.amf.SerializationFilter.invoke(SerializationFilter.java:146)
        at flex.messaging.endpoints.BaseHTTPEndpoint.service(BaseHTTPEndpoint.java:278)
        at flex.messaging.MessageBrokerServlet.service(MessageBrokerServlet.java:315)
        at javax.servlet.http.HttpServlet.service(HttpServlet.java:810)
        at org.apache.catalina.core.ApplicationFilterChain.internalDoFilter(ApplicationFilterChain.j ava:252)
        at org.apache.catalina.core.ApplicationFilterChain.doFilter(ApplicationFilterChain.java:173)
        at com.adobe.workspace.events.RemoteEventClientLifeCycle.doFilter(RemoteEventClientLifeCycle .java:138)
        at org.apache.catalina.core.ApplicationFilterChain.internalDoFilter(ApplicationFilterChain.j ava:202)
        at org.apache.catalina.core.ApplicationFilterChain.doFilter(ApplicationFilterChain.java:173)
        at org.jboss.web.tomcat.filters.ReplyHeaderFilter.doFilter(ReplyHeaderFilter.java:81)
        at org.apache.catalina.core.ApplicationFilterChain.internalDoFilter(ApplicationFilterChain.j ava:202)
        at org.apache.catalina.core.ApplicationFilterChain.doFilter(ApplicationFilterChain.java:173)
        at org.apache.catalina.core.StandardWrapperValve.invoke(StandardWrapperValve.java:213)
        at org.apache.catalina.core.StandardContextValve.invoke(StandardContextValve.java:178)
        at org.jboss.web.tomcat.security.CustomPrincipalValve.invoke(CustomPrincipalValve.java:39)
        at org.jboss.web.tomcat.security.SecurityAssociationValve.invoke(SecurityAssociationValve.ja va:159)
        at org.jboss.web.tomcat.security.JaccContextValve.invoke(JaccContextValve.java:59)
        at org.apache.catalina.core.StandardHostValve.invoke(StandardHostValve.java:126)
        at org.apache.catalina.valves.ErrorReportValve.invoke(ErrorReportValve.java:105)
        at org.apache.catalina.core.StandardEngineValve.invoke(StandardEngineValve.java:107)
        at org.apache.catalina.connector.CoyoteAdapter.service(CoyoteAdapter.java:148)
        at org.apache.coyote.http11.Http11Processor.process(Http11Processor.java:856)
        at org.apache.coyote.http11.Http11Protocol$Http11ConnectionHandler.processConnection(Http11P rotocol.java:744)
        at org.apache.tomcat.util.net.PoolTcpEndpoint.processSocket(PoolTcpEndpoint.java:527)
        at org.apache.tomcat.util.net.MasterSlaveWorkerThread.run(MasterSlaveWorkerThread.java:112)
        at java.lang.Thread.run(Thread.java:595)
    Kendy

    I am having the same server issue and i cant get hold of SP3 to fix it. can anyone tell me how to fix this problem or provided a link where i can get SP3 from? Ive spent most of the day on the phone to Adobe Support and they have been unable to provide me with a link to the service pack.

  • How to get the cleaner thread to run

    Hi,
    I googled documentation/ previous posts, but the topic about getting the log files cleaned is still unclear to me.
    I have created around 24000 records and then deleted all of them ( ie., there is'nt even a single active record in the database). However, the folder size (around 35MB) just wont go down. Google pointed out that this should be taken care of by cleaner thread.
    I have'nt written any code/properties specific to cleaner thread, nor any other properties to do with diskspace etc. So I assume everything is default.
    Would this be run automatically ( assuming even a single record is'nt actually active) or do I need to do something to actually reclaim the diskspace?
    There is limited disk space on this folder for me and I expected the delete to actually delete and make the disk space available immediately (or soon after).
    Any help is greatly appreciated.
    Thanks.

    Cleaning and checkpointing occur in background, asynchronously, and are driven by writes to the log.
    In your test, you insert a bunch of records, then delete them all, then stop. Who knows whether log cleaning and a checkpoint happened to occur after you did the deletions. Probably not. You need to keep the app running and writing data.
    Please do this test: Alternate insertions, then deletions, then insertions, then deletions, etc. Keep this running. You'll see the cleaner deleting the old files.
    --mark                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                       

  • [svn:fx-trunk] 9056: * Cleaned up deprecated warnings in rpc build.

    Revision: 9056
    Author:   [email protected]
    Date:     2009-08-04 07:56:55 -0700 (Tue, 04 Aug 2009)
    Log Message:
    Cleaned up deprecated warnings in rpc build.
    Reviewer: Gordon
    Tests run: checkintests
    Is noteworthy for integration: Yes, rpc.swc has been updated to use ResourceManager.
    Code-level description of changes:
      Moved ResourceBundle metadata to class level.
      Removed messagingBundle and rpcBundle vars.
      Added _resourceManager var.
      Modified textOf() to use ResourceManager.getString().
    Modified Paths:
        flex/sdk/trunk/frameworks/projects/rpc/src/mx/utils/Translator.as

    Thats good news.

  • Windows Vista conflicting with Clean Access?

    When I try to log into Clean Access to use the internet, it gives me an error message saying that in order to fulfill all of my requirements and get into the system, I need to download windows defender. But Windows defender comes with Windows Vista, which is what I have...So when I try to download Windows Defender and install it, it gives me a popup saying that I already have it on my comnputer and that I don't need to download it. Any ideas? Anybody? Please? Am I even in the right place for this kind of question?

    If you using Windows Vista,You already have windows defender. Ensure the version of the defender because if Windows Defender informed you that an update is available, you are running an older version.
    Below are Windows Vista Supported Antispyware Product as of the latest release of the Cisco Clean Access software.
    Product version - 1.x
    AS Checks Supported
    (Minimum Agent Version Needed) are:
    Installation - (4.0.5.0)
    Spyware Definition - (4.0.5.0)

  • [svn:fx-trunk] 11450: Cleaning up the whitespace in these 3 files ( tabs to spaces).

    Revision: 11450
    Author:   [email protected]
    Date:     2009-11-04 17:10:56 -0800 (Wed, 04 Nov 2009)
    Log Message:
    Cleaning up the whitespace in these 3 files (tabs to spaces).
    QE notes: No
    Doc notes: No
    Bugs: No
    Reviewer: Me
    Tests run: Checkintests
    Is noteworthy for integration: No
    Modified Paths:
        flex/sdk/trunk/frameworks/projects/spark/src/spark/components/Group.as
        flex/sdk/trunk/frameworks/projects/spark/src/spark/components/supportClasses/GroupBase.as
        flex/sdk/trunk/frameworks/projects/spark/src/spark/primitives/supportClasses/GraphicEleme nt.as

    Thats good news.

  • List of Temp files to be delete/clean up in Hyperion Server

    Hi,
    I am beginer in Hyperion Administration world;
    Can any one please suggest the best practice of maintaining the logs and cleaning the list of temp files/folders in Application and Essbase Servers?
    Currnetly we are using only Planning, Essbase and  Reporting; Version is 11.1.2.1.600.
    Thanks a lot for all your help inadvance!
    Regards,
    VA

    Hi,
    This is very generic question & might have different answers to it.
    As far as log maintenance goes, you can explore Enterprise manager that comes with EPM which has different options such as rotation of the logs. Also, you can export specific logs to certain format.
    You can go to Enterprise Manager from this URL : http://<server>:7001/em & Weblogic server should be in runnning state.
    If you face any issue & there is need to restart the services, do take backup/archive of logs under epmsystem1\diagnostics\logs\services & under domains\EPMSytem\<ManagedServer>\logs , because they get flushed when you restart services.
    I dont think you have to worry much about cleaning up of temp files as EPM takes care on that.
    Thanks,
    Santy.

  • [svn:fx-trunk] 5119: Clean up some ASDoc tags from the addition of the @ productversion/@playerversion tags

    Revision: 5119
    Author: [email protected]
    Date: 2009-03-01 07:19:39 -0800 (Sun, 01 Mar 2009)
    Log Message:
    Clean up some ASDoc tags from the addition of the @productversion/@playerversion tags
    QE Notes: None
    Doc Notes: None
    Bugs: -
    Modified Paths:
    flex/sdk/trunk/frameworks/projects/airframework/src/mx/controls/HTML.as
    flex/sdk/trunk/frameworks/projects/flex4/src/mx/components/FxList.as
    flex/sdk/trunk/frameworks/projects/flex4/src/mx/components/TextView.as
    flex/sdk/trunk/frameworks/projects/flex4/src/mx/effects/effectClasses/FxResizeInstance.as
    flex/sdk/trunk/frameworks/projects/flex4/src/mx/skins/spark/SparkSkin.as
    flex/sdk/trunk/frameworks/projects/framework/src/mx/containers/Accordion.as
    flex/sdk/trunk/frameworks/projects/framework/src/mx/controls/Button.as
    flex/sdk/trunk/frameworks/projects/framework/src/mx/controls/CalendarLayout.as
    flex/sdk/trunk/frameworks/projects/framework/src/mx/controls/Label.as
    flex/sdk/trunk/frameworks/projects/framework/src/mx/controls/Text.as
    flex/sdk/trunk/frameworks/projects/framework/src/mx/controls/ToolTip.as
    flex/sdk/trunk/frameworks/projects/framework/src/mx/controls/dataGridClasses/DataGridItem Renderer.as
    flex/sdk/trunk/frameworks/projects/framework/src/mx/controls/videoClasses/NCManager.as
    flex/sdk/trunk/frameworks/projects/framework/src/mx/controls/videoClasses/VideoPlayer.as
    flex/sdk/trunk/frameworks/projects/framework/src/mx/core/Application.as
    flex/sdk/trunk/frameworks/projects/framework/src/mx/core/Container.as
    flex/sdk/trunk/frameworks/projects/framework/src/mx/core/ContainerRawChildrenList.as
    flex/sdk/trunk/frameworks/projects/framework/src/mx/core/IDisplayObjectContainerInterface .as
    flex/sdk/trunk/frameworks/projects/framework/src/mx/core/IDisplayObjectInterface.as
    flex/sdk/trunk/frameworks/projects/framework/src/mx/core/IInteractiveObjectInterface.as
    flex/sdk/trunk/frameworks/projects/framework/src/mx/core/ISpriteInterface.as
    flex/sdk/trunk/frameworks/projects/framework/src/mx/core/UIComponent.as
    flex/sdk/trunk/frameworks/projects/framework/src/mx/core/UITextField.as
    flex/sdk/trunk/frameworks/projects/framework/src/mx/effects/EffectManager.as
    flex/sdk/trunk/frameworks/projects/framework/src/mx/effects/Tween.as
    flex/sdk/trunk/frameworks/projects/framework/src/mx/effects/effectClasses/SequenceInstanc e.as
    flex/sdk/trunk/frameworks/projects/framework/src/mx/effects/effectClasses/SoundEffectInst ance.as
    flex/sdk/trunk/frameworks/projects/framework/src/mx/managers/HistoryManagerImpl.as
    flex/sdk/trunk/frameworks/projects/framework/src/mx/managers/SystemManager.as
    flex/sdk/trunk/frameworks/projects/framework/src/mx/skins/halo/HaloBorder.as
    flex/sdk/trunk/frameworks/projects/framework/src/mx/utils/Base64Encoder.as
    flex/sdk/trunk/frameworks/projects/framework/src/mx/validators/StringValidator.as
    flex/sdk/trunk/frameworks/projects/framework_textLayout/src/mx/core/UITLFTextField.as
    flex/sdk/trunk/frameworks/projects/halo/src/mx/skins/halo/HaloBorder.as
    flex/sdk/trunk/frameworks/projects/haloclassic/src/haloclassic/HaloRectBorder.as
    flex/sdk/trunk/frameworks/projects/rpc/src/mx/messaging/AbstractConsumer.as
    flex/sdk/trunk/frameworks/projects/rpc/src/mx/messaging/channels/AMFChannel.as
    flex/sdk/trunk/frameworks/projects/rpc/src/mx/messaging/channels/HTTPChannel.as
    flex/sdk/trunk/frameworks/projects/rpc/src/mx/messaging/config/ServerConfig.as
    flex/sdk/trunk/frameworks/projects/rpc/src/mx/messaging/messages/HTTPRequestMessage.as
    flex/sdk/trunk/frameworks/projects/rpc/src/mx/rpc/AbstractOperation.as
    flex/sdk/trunk/frameworks/projects/rpc/src/mx/rpc/events/FaultEvent.as
    flex/sdk/trunk/frameworks/projects/rpc/src/mx/rpc/events/ResultEvent.as
    flex/sdk/trunk/frameworks/projects/rpc/src/mx/rpc/http/AbstractOperation.as
    flex/sdk/trunk/frameworks/projects/rpc/src/mx/rpc/remoting/Operation.as
    flex/sdk/trunk/frameworks/projects/rpc/src/mx/rpc/soap/Operation.as
    flex/sdk/trunk/frameworks/projects/rpc/src/mx/rpc/soap/mxml/Operation.as
    flex/sdk/trunk/frameworks/projects/rpc/src/mx/rpc/wsdl/WSDL.as
    flex/sdk/trunk/frameworks/projects/rpc/src/mx/rpc/xml/Schema.as
    flex/sdk/trunk/frameworks/projects/rpc/src/mx/rpc/xml/SchemaMarshaller.as
    flex/sdk/trunk/frameworks/projects/rpc/src/mx/utils/HexEncoder.as

    I am not sure what's happening with IE9 (no live site) but I had real problems viewing your code in Live View - until I removed the HTML comment marked below. Basically your site was viewable in Design View but as soon a I hit Live view, it disappeared - much like IE9. See if removing the comment solves your issue.
    <style type="text/css">
    <!-- /*Remove this */
    body {
        margin: 0;
        padding: 0;
        color: #000;
        background:url(Images/websitebackgroundhomee.jpg) repeat scroll 0 0;
        font-family: David;
        font-size: 15px;
        height:100%;

Maybe you are looking for

  • Base line date disappearing in MIRO  on saving or click enter key

    Hi , We have ECC 6.0 and the issue is while creating Invoice- MIRO transaction, after entering 'Base line date' value in payment tab and press save or enter key the value is disappearing. I have checked all the Exits for MIRO ,we do not have any cust

  • Native extension to unzip a file crash my air app

    Hello, I have a problem with a native extension for android I want to unzip a file my java code File f = new File("my zip file"); File outputDir = new File ("output folder"); ZipHelper.unzip(f, outputDir); and import java.util.zip.*; import java.io.*

  • How to publish from iWeb to a site (complete greenhorn here!!)

    Hi guys, can you please advise as to the best way to set up a site outside of MobileMe? I am using iWeb and have reserved a domain name. What would be the next step?? Many thanks, Jer

  • Two variables in the where clause

    DECLARE @Id VARCHAR(100) DECLARE @NO VARCHAR(100) SET @Id = 'IN' SET @No = 10 SELECT * FROM DBName.sys.indexes I JOIN DBName.sys.tables T ON T.Object_id = I.Object_id WHERE T.name like '%' +@Id + '_' +@NO+'%' I need something like the above query tha

  • Creative Cloud icon not showing

    Since I updated to the latest version of Creative Cloud, the icon has stopped appearing in the notification area, even though I can see in Task Manager that it is running. So, if I need access, I need to open from Start menu. Any ideas? Windows 7 64