Update default tile when Notification Service is WNS

Hi,
I have Windows Phone 8.1 Silverlight project.
When I using WNS (Notification Service) I cant update default tile.
When Notification Service is MPN I use:
var findTile = ShellTile.ActiveTiles.FirstOrDefault();
if (findTile != null)
findTile.Update(new FlipTileData
BackgroundImage = new Uri("isostore:/Shared/ShellContent/image123456789.jpg", UriKind.Absolute)
and everything works great.
How can I update default tile when Notification Service is WNS?

I already know how :)
private async Task UpdateWideTile()
var tile = CreateWideTile();
Windows.Storage.StorageFile file = await Windows.Storage.ApplicationData.Current.LocalFolder.CreateFileAsync("myImage.jpg", Windows.Storage.CreationCollisionOption.ReplaceExisting);
using (var storageStream = await file.OpenStreamForWriteAsync())
tile.SaveJpeg(storageStream, 310, 150, 0, 100);
XmlDocument tileXml = TileUpdateManager.GetTemplateContent(TileTemplateType.TileWide310x150Image);
XmlNodeList tileImageAttributes = tileXml.GetElementsByTagName("image");
((XmlElement)tileImageAttributes[0]).SetAttribute("src", file.Path);
var tileNotification = new Windows.UI.Notifications.TileNotification(tileXml);
TileUpdateManager.CreateTileUpdaterForApplication().Clear();
TileUpdateManager.CreateTileUpdaterForApplication().Update(tileNotification);
Hi undertaker,
I'm glad that you have solved it, thank you for sharing your solution here:)
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.
Click
HERE to participate the survey.

Similar Messages

  • Automatically update Equipment Hierarchy when confirming service order

    Hi Gurus,
    When I confirm the service order, the old part needs to be replaced by the new part. The requirement is that this replacement is done automatically in the equipment hierarchy after confirming the service order. ie.Equipment should get automatically updated in the equipment hierarchy. How to configure this?
    Best Regards,
    Dhanabal

    Hello,
    As you confrim the labour and maerial, the Equpment hierarchy will not get replaced by the new one. You need to go for an enhancement. Cehck with your ABAP consultant with a detailed requirement.
    Prase

  • Regarding sql server notification service

    i never use sql server notification service. so i like to know what it does. does it notify when data changed? suppose i have one win apps by which our employee insert/update/delete data. i want that when data will be inserted/updated/deleted then this notification
    service notify my win apps that data change and also provide technique to know which data change or inserted or delete. i use sql dependency but it has draw back like it can only notify client about something has happened but never say like which data is inserted
    or updated or deleted.
    anyone can guide me how to notify my win client from sql server with changed data like push notification with data to win client. thanks

    can u please point me to any good article which help me to write that kind of trigger which can capture data change and push the change to client. thanks
    I couldn't find an article with a cursory search so I created the example below to illustrate this basic technique that you can customize and extend for your purposes.  The trigger creates an XML document with the before/after images of the inserted/updated/deleted
    rows.  The application executes the change notification target service proc in a loop to receive change messages as they become available.
    This method will work for a single application instance that receives change notifications.  If you have multiple users, I suggest a mid-tier service to receive these notifications and then multicast to clients using a publish/subscribe pattern. 
    In the case of frequent data changes, it would be better to use a single long-running conversation with the conversation handle saved to a state table instead of starting a new conversation for each message in order to reduce service broker overhead.
    Note that the trigger will write messages to the queue regardless of whether an application is listening for messages.  For that reason, it would generally be best to run the mid-tier service continuously or at least consume/ignore all of the pending
    messages at startup.
    Be aware that there are a number of variations of this general pattern but I think this should get you started.  Post questions specific to Service Broker to the related forum:
    http://social.msdn.microsoft.com/Forums/sqlserver/en-US/home?forum=sqlservicebroker
    CREATE DATABASE ExampleDatabase;
    ALTER AUTHORIZATION ON DATABASE::ExampleDatabase TO sa;
    ALTER DATABASE ExampleDatabase SET ENABLE_BROKER;
    GO
    USE ExampleDatabase;
    GO
    CREATE TABLE dbo.Product(
    ID varchar(50) NOT NULL
    CONSTRAINT PK_Product PRIMARY KEY
    , ProductName varchar(50)
    , ProductDescription varchar(1000)
    GO
    CREATE TRIGGER TR_Product
    ON dbo.Product
    FOR INSERT, UPDATE, DELETE
    AS
    DECLARE
    @ConversationHandle uniqueidentifier
    ,@ChangedRows xml;
    SELECT @ChangedRows = (
    SELECT
    SELECT ID, ProductName, ProductDescription
    FROM dbo.Product
    FOR XML PATH('Before'), TYPE)
    SELECT ID, ProductName, ProductDescription
    FROM dbo.Product
    FOR XML PATH('After'), TYPE)
    FOR XML PATH('Changes'), TYPE
    BEGIN Dialog @ConversationHandle
    FROM SERVICE [ProductChangeNotificationInitiatorService]
    TO SERVICE 'ProductChangeNotificationTargetService'
    ON CONTRACT [ProductChangeNotificationContract]
    WITH ENCRYPTION = OFF;
    SEND ON CONVERSATION @ConversationHandle
    MESSAGE TYPE [ProductChange]
    (@ChangedRows);
    GO
    CREATE MESSAGE TYPE [ProductChange] VALIDATION = WELL_FORMED_XML;
    CREATE CONTRACT [ProductChangeNotificationContract](
    [ProductChange] SENT BY INITIATOR
    CREATE TABLE dbo.ProductChangeNotificationErrors(
    ErrorTime datetime NOT NULL
    ,conversation_handle uniqueidentifier NOT NULL
    ,service_name sysname
    ,message_type_name nvarchar(256) NOT NULL
    ,message_body varbinary(MAX) NULL
    GO
    CREATE PROCEDURE dbo.usp_CleanupProductChangeNotificationInitiatorQueue
    AS
    SET NOCOUNT ON;
    DECLARE
    @conversation_handle uniqueidentifier = '00000000-0000-0000-0000-000000000000'
    ,@service_name sysname
    ,@message_type_name nvarchar(256)
    ,@message_body varbinary(MAX)
    ,@description nvarchar(3000);
    WHILE @conversation_handle IS NOT NULL
    BEGIN
    SET @conversation_handle = NULL;
    WAITFOR (
    RECEIVE TOP (1)
    @conversation_handle = conversation_handle
    ,@service_name = service_name
    ,@message_type_name = message_type_name
    ,@message_body = message_body
    FROM dbo.ProductChangeNotificationInitiatorQueue)
    ,TIMEOUT 1000;
    IF @conversation_handle IS NOT NULL
    BEGIN
    IF @message_type_name = N'http://schemas.microsoft.com/SQL/ServiceBroker/EndDialog'
    BEGIN
    END CONVERSATION @conversation_handle;
    END
    ELSE
    BEGIN
    INSERT INTO dbo.ProductChangeNotificationErrors(
    ErrorTime
    ,conversation_handle
    ,service_name
    ,message_type_name
    ,message_body)
    VALUES(
    GETDATE()
    ,@conversation_handle
    ,@message_type_name
    ,@service_name
    ,@message_body)
    SET @description = 'Unexpected message type ' + @message_type_name + ' received';
    END CONVERSATION @conversation_handle WITH ERROR = 1 DESCRIPTION = @description;
    END;
    END;
    END;
    GO
    CREATE QUEUE ProductChangeNotificationInitiatorQueue
    WITH ACTIVATION (
    PROCEDURE_NAME = dbo.usp_CleanupProductChangeNotificationInitiatorQueue,
    MAX_QUEUE_READERS = 1,
    EXECUTE AS SELF);
    CREATE SERVICE [ProductChangeNotificationInitiatorService]
    ON QUEUE ProductChangeNotificationInitiatorQueue ([ProductChangeNotificationContract]);
    CREATE QUEUE ProductChangeNotificationTargetQueue;
    CREATE SERVICE ProductChangeNotificationTargetService
    ON QUEUE dbo.ProductChangeNotificationTargetQueue (ProductChangeNotificationContract);
    GO
    CREATE PROCEDURE dbo.usp_ProductChangeNotificationTargetService
    @Timeout int = 5000
    AS
    SET NOCOUNT ON;
    SET XACT_ABORT ON;
    DECLARE
    @conversation_handle uniqueidentifier
    ,@service_name sysname
    ,@message_type_name nvarchar(256)
    ,@message_body varbinary(MAX)
    ,@description nvarchar(3000);
    WAITFOR (
    RECEIVE TOP (1)
    @conversation_handle = conversation_handle
    ,@service_name = service_name
    ,@message_type_name = message_type_name
    ,@message_body = message_body
    FROM dbo.ProductChangeNotificationTargetQueue)
    ,TIMEOUT @Timeout;
    IF @conversation_handle IS NOT NULL
    BEGIN
    SELECT CAST(@message_body AS xml) AS ChangedRows;
    END CONVERSATION @conversation_handle;
    END;
    GO
    Dan Guzman, SQL Server MVP, http://www.dbdelta.com

  • Curious about the iOS 5 software that is coming out.  If I wait til its release to buy my iPhone 4 will it come with the iOS5 software already on it?  or should I go ahead and buy my iPhone 4 and then update the software when the iOS5 is released?

    curious about the iOS 5 software that is coming out.  If I wait til its release to buy my iPhone 4 will it come with the iOS5 software already on it?  or should I go ahead and buy my iPhone 4 and then update the software when the iOS5 is released?

    Keaten wrote:
    Yea I would have to say wait until the release of IOS 5, because the phone will probably run it a lot smoother. I mean go ahead and buy the Iphone 4 if you are dying to have it, because you can just update it which is no big deal at all, but it would be the smarter thing to wait for the new updates.
    And the networ issue as far as I am aware is fixed on the Verizon iPhones, so it really depends on which service you have.
    - correct me if i am wrong
    Have to disagree here, Apple have not even announced an iphone 5, it is pointless to speculate that we will see one or not see one until Apple actually releases a statement. ios was built and tested on the iphone 4 so there will not be any slowdown or laggyness compared to a phone that has not been released yet.
    If we are advising potential apple product buyers then we should not be putting them off buying a iphone 4 on speculations alone. Just because apple have for the last few years released an iphone every june/july does not mean then have to stick to this approach.
    Apple have not issued any statement regarding an iphone 5, until this time it does not exist, only in heresay on the internet.
    Any one looking to get an iphone 4, to you i would say waiting until ios 5 is released is a personal choice, no matter if you wait or not you will be able to update via itunes. One way or another in the future you will have to do an ios update via itunes whether this is the 5.0 software or 5,2,1.
    Please note that Apple are very closed mouthed about new hardware releases and potentially a new iphone could be round the corner, however there is no evidence to suggerst this, i.e Apple have not even mentioned an iphone 5 this year anything you hear towards the contrary is media spin thus far and speculation.
    ios 5 was built and tested to work seamlessly on iphone 4, the beta software released to developers is being tested on iphone 4. Please do not listen to people telling you that the iphone 4 will not run this ios as well as a phone that does not exist yet. When iphone 5 launches it will most likely have dual processors and not until its launch will the next gen apps start appearing.

  • HT5527 My icloud apple ID had been disabled after icloud services downgraded my 18Gb documents in the cloud to 5Gb. I can't updated now because when i try to do it i get a message saying that my ID is disabled

    My icloud apple ID had been disabled after icloud services downgraded my 18Gb documents in the cloud to 5Gb. I received an email from icloud services a couple of months after i upgraded my icloud storage (on Sept30th) saying that my billing info was wrong. In fact my credit card was outdated so i updated my credit I can't updated now because when i try to do it i get a message saying that my ID is disabled. Can you help me?? I can't access my docs now...

    See this Apple document for help...
    http://support.apple.com/kb/ts2446

  • Windows 8.1 - Windows Couldn't connect to the System Event Notification Service service

    I have an issue that has been bothering me for a while on new 8.1 computers. Standard users are not able to log into the computer on the first try consistently. They receive the error message: Group Policy client service failed the sign-in access is
    denied. They are stuck at the logon screen.
    If an administrator logs in (local or domain), they can log in but get a black desktop with two error messages. The first is Location is Not available - C:\Windows\system32\config\systemprofile\Desktop is unavailable. The second error message is a popup
    balloon. It states "Failed to Connect to a Windows service. Windows couldn't connect to the System Event Notification Service service."
    When a standard user attempts to log in, event viewer records three warnings. They are listed in order from oldest to newest
    The winlogon notification subscriber <Profiles> was unavailable to handle a critical notification event. -Logged 9:14:44
    The winlogon notification subscriber <GPClient> failed a critical notification event. - Logged 9:14:44
    The winlogon notification subscriber <Profiles> was unavailable to handle a notification event. - Logged 9:14:49
    After a reboot, users still have the issue. I noticed that the user profile services and system event notification service are not running though their startup type is automatic. They start after a minute or two.

    Hi Joseph__Moody,
    Based on your description ,I assume it is a domain environment .First of all ,I would suggest you to try to update all the machine .
    "I have an issue that has been bothering me for a while on new 8.1 computers"
    Do you mean all the Windows 8.1 machine share the same symptom or just a specific one ?Did the machine work correctly before ?When did the issue start to occur ?Have you installed any third party software before ?Can we operate the machine when we login with
    an administrator account ?
    If the issue occurred with the specific machine :
    "The first is Location is Not available - C:\Windows\system32\config\systemprofile\Desktop is unavailable."
    Please try the following suggestions if we can operate the machine when we login with the administrator account :
    Open Windows Explorer and navigate to: C:\Windows\system32\config\systemprofile and verify if it has the Desktop folder there.If the folder doesn`t exit, we can copy from C:\users\Default\Desktop location(This folder is hidden by default).
    We also can try the following suggestions to have a troubleshoot :
    1.Run "sfc /scannow"or "dism /online /cleanup-image /restorehealth" to check the health of the system files.
    2.Perform a full scan with an antivirus software.
    3."They start after a minute or two."
    I suspect there is a third party service confilct here. Please perform a clean boot to verify whether there is a third party conflict here .
    How to perform a clean boot in Windows
    https://support.microsoft.com/en-us/kb/929135
    If the issue occurred with multiple machines in the domian ,I would suggest you to check whether you have configured any logon scripts and logon group policy .We can remove the machine from the domain to have  a troubleshoot .
    If the issue occurred recently ,we can perform a system restore to recover the machine to a previous normal point.
    Best regards
    Please remember to mark the replies as answers if they help, and unmark the answers if they provide no help. If you have feedback for TechNet Support, contact [email protected].

  • HT203421 i buy a macbook air with my friend and i changed the apple id also.at first i can update the application but now its impossible to update the application.when i clock to update it shows the id of my fren andsomebody do you have idea to solve this

    i buy a macbook air with my friend and i changed the apple id also.at first i can update the application but now its impossible to update the application.when i clock to update it shows the id of my fren andsomebody do you have idea to solve this problem.

    The first thing to do with a second-hand computer is to erase the internal drive and install a clean copy of OS X. You — not the previous owner — must do that. How you do it depends on the model, and on whether you already own another Mac. If you're not sure of the model, enter the serial number on this page. Then find the model on this page to see what OS version was originally installed.
    1. You don't own another Mac.
    If the machine shipped with OS X 10.4 or 10.5, you need a boxed and shrink-wrapped retail Snow Leopard (OS X 10.6) installation disc from the Apple Store or a reputable reseller — not from eBay or anything of the kind. If the machine has less than 1 GB of memory, you'll need to add more in order to install 10.6. Preferably, install as much memory as it can take, according to the technical specifications.
    If the machine shipped with OS X 10.6, you need the installation media that came with it: gray installation discs, or a USB flash drive for some MacBook Air models. For early MBA models, you may need a USB optical drive or Remote Disc. You should have received the media from the previous owner, but if you didn't, order replacements from Apple. A retail disc, or the gray discs from another model, will not work.
    To boot from an optical disc or a flash drive, insert it, then reboot and hold down the C key at the startup chime. Release the key when you see the gray Apple logo on the screen.
    If the machine shipped with OS X 10.7 or later, you don't need media. It should boot into Internet Recovery mode when you hold down the key combination option-command-R at the startup chime. Release the keys when you see a spinning globe.
    2. You do own another Mac.
    If you already own another Mac that was upgraded in the App Store to the version of OS X that you want to install, and if the new Mac is compatible with it, then you can install it. Use Recovery Disk Assistant to create a bootable USB device and boot the new Mac from it by holding down the C key at the startup chime. Alternatively, if you have a Time Machine backup of OS X 10.7.3 or later on an external hard drive (not a Time Capsule or other network device), you can boot from that by holding down the option key and selecting it from the row of icons that appears. Note that if your other Mac was never upgraded in the App Store, you can't use this method.
    Once booted in Recovery, launch Disk Utility and select the icon of the internal drive — not any of the volume icons nested beneath it. In the Partition tab, select the default options: a GUID partition table with one data volume in Mac OS Extended (Journaled) format. This operation will permanently remove all existing data on the drive.
    After partitioning, quit Disk Utility and run the OS X Installer. You will need the Apple ID and password that you used to upgrade. When the installation is done, the system will automatically reboot into the Setup Assistant, which will prompt you to transfer the data from another Mac, its backups, or from a Windows computer. If you have any data to transfer, this is usually the best time to do it.
    Then run Software Update and install all available system updates from Apple. To upgrade to a major version of OS X newer than 10.6, get it from the Mac App Store. Note that you can't keep an upgraded version that was installed by the previous owner. He or she can't legally transfer it to you, and without the Apple ID you won't be able to update it in Software Update or reinstall, if that becomes necessary. The same goes for any App Store products that the previous owner installed — you have to repurchase them.
    If the previous owner "accepted" the bundled iLife applications (iPhoto, iMovie, and Garage Band) in the App Store so that he or she could update them, then they're linked to that Apple ID and you won't be able to download them without buying them. Reportedly, Apple customer service has sometimes issued redemption codes for these apps to second owners who asked.
    If the previous owner didn't deauthorize the computer in the iTunes Store under his Apple ID, you wont be able to  authorize it immediately under your ID. In that case, you'll either have to wait up to 90 days or contact iTunes Support.

  • WebDynpro Notification Service with multiple Application Servers

    Hello Experts,
    I am currently working on a project where I have to integrate a BSP Application into a new Web Dynpro ABAP Application. On the BSP Page it is possible to edit some details (for example for a customer).
    When the user start to work on the BSP Page, the Web Dynpro Page should prohibit the navigation (i.e. disable all links). After Saving the BSP page, the navigation lock is released and the Web Dynpro reloads some data, which were changed from the BSP Page.
    I have a NetWeaver 7.02 so I decided to use Shared Objects and the new Web Dynpro Notification Service to realize the given requirements. On the development system everything worked fine. The Notification Service was called and it took about 2 Seconds until the Web Dynpro Application updated.
    But we got serious problems on the testmachine, which uses a Web Dispatcher and two application servers. After some research we managed that the application is running, and works.
    But the Notification Service takes now up to 1 Minute until it fires the registered actions. And I good frequently an ASSERTION_FAILED from the method CL_WDR_NOTIFICATION=>ATTACH_FOR_READ in the ST22 as long as the application is running.
    Can anybody help me how to solve this issue. It is a real blocker for the project.
    If there is another way to establish eventing between Web Dynpro and BSP I would also go for another solution. But I don't think there are many other possibilities (SAP Portal and NWBC are no options - Maybe the new Web Dynpro PageBuilder?).
    Best Regards
    Daniel

    Hello Guys,
    we decided to do a workaround for the moment. We use a refresh button on the Web Dynpro screen. That is not very nice, but sufficient for the moment.
    Anyway: I am still interessted in the BSP-Web Dynpro Interaction Issue. So if somebody has any ideas, please let me know.
    @PageBuilder: Currently the page builder does not work on the system, because of an 403 - Error when I try to call the Application-Configurator (the SICF service is active). But I will try this also as soon as this problem is solved.
    Best regards
    Daniel

  • In the Apple Push Notification Service,How long does a push notification sit in queue before being removed?

      Official developer documentation isn't clear about this.
    Apple Push Notification Service includes a default Quality of Service (QoS) component that performs a store-and-forward function. If APNs attempts to deliver a notification but the device is offline, the QoS stores the notification. It retains only one notification per application on a device: the last notification received from a provider for that application. When the offline device later reconnects, the QoS forwards the stored notification to the device. The QoS retains a notification for a limited period before deleting it.

    This is an iPad user to user forum, so you are not addressing Apple. We have no way to know what and when Apple will do something.
     Cheers, Tom

  • LMS 3.2 - DFM Notification Services issue

    My customer installed an LMS 3.2 on Windows 2008 Server with SP1.
    Now the DFM Notification Services causing Problems.
    We configured for a test the Event Set A and setup a Notification group with the following boxes ticked:
    Alert Severity  
    Critical   Informational
    Alert Status  
    Active
    Event Selection  
    Event Set: A
    Event Severity  
    Critical   Informational
    Event Status  
    Active
    And all Devices marked in the device selector.
    At least the E-Mail configuration was set.
    Now none of the Alerts or Events generate an automated e-mail, while the manual mailing from the AAD is working.
    I restarted the LMS dmgtd and founf the following lines in the DFMLogServer.log:
    05/May/2010 10:39:46:473 ERROR  ? ?  - Exception in registry server java.net.BindException: Address already in use: JVM_Bind
    05/May/2010 10:40:16:220 ERROR  ? ?  - URN_NOT_FOUND : urn "ogs_server_urn" : Not found !!
    05/May/2010 10:40:16:222 ERROR  ? ?  - URN_NOT_FOUND : urn "ogs_server_urn" : Not found !!
    05/May/2010 10:40:16:223 ERROR  ? ?  - URN_NOT_FOUND : urn "ogs_server_urn" : Not found !!
    05/May/2010 10:40:26:262 ERROR  ? ?  - URN_NOT_FOUND : urn "ogs_server_urn" : Not found !!
    05/May/2010 10:40:26:263 ERROR  ? ?  - URN_NOT_FOUND : urn "ogs_server_urn" : Not found !!
    In the nos.log is see the following:
    05-May-2010|10:55:16.370|ERROR|NOS|Process EPM Data Thread:Pooled Thread:1|EpmDataQueueItem|processEPMData()|.|Caught Exception in processEPMData(): java.util.NoSuchElementException
    While the NOSServer.log is showing the following:
    05/May/2010 10:41:05:973 ERROR main com.cisco.nm.xms.ctm.client.CTMCall establishIPC  - URN_NOT_FOUND : urn "ogs_server_urn" : Not found !!
    05/May/2010 10:41:05:981 ERROR main com.cisco.nm.xms.ctm.client.CTMCall establishIPC  - URN_NOT_FOUND : urn "ogs_server_urn" : Not found !!
    05/May/2010 10:41:05:983 ERROR main com.cisco.nm.xms.ctm.client.CTMClientProxy getProxy  - URN_NOT_FOUND : urn "ogs_server_urn" : Not found !!
    com.cisco.nm.xms.ctm.common.CTMException: URN_NOT_FOUND : urn "ogs_server_urn" : Not found !!
        at com.cisco.nm.xms.ctm.client.CTMCall.establishIPC(CTMCall.java:238)
        at com.cisco.nm.xms.ctm.client.CTMCall.<init>(CTMCall.java:218)
        at com.cisco.nm.xms.ctm.client.CTMClientProxy.<init>(CTMClientProxy.java:64)
        at com.cisco.nm.xms.ctm.client.CTMClientProxy.getProxy(CTMClientProxy.java:180)
        at com.cisco.nm.xms.ogs.client.OGSServerProxy.init(OGSServerProxy.java:179)
        at com.cisco.nm.xms.ogs.client.OGSServerProxy.init(OGSServerProxy.java:98)
        at com.cisco.nm.xms.ogs.client.OGSServerProxy.<init>(OGSServerProxy.java:85)
        at com.cisco.nm.trx.nos.server.EPMPoller.ogsVerifyService(EPMPoller.java:212)
        at com.cisco.nm.trx.nos.server.EPMPoller.<init>(EPMPoller.java:144)
        at com.cisco.nm.trx.nos.server.NOSServer.initializeEPMPoller(NOSServer.java:244)
        at com.cisco.nm.trx.nos.server.NOSServer.<init>(NOSServer.java:107)
        at com.cisco.nm.trx.nos.server.NOSServer.main(NOSServer.java:259)
    05/May/2010 10:41:35:995 ERROR main com.cisco.nm.xms.ctm.client.CTMCall establishIPC  - URN_NOT_FOUND : urn "ogs_server_urn" : Not found !!
    05/May/2010 10:41:35:997 ERROR main com.cisco.nm.xms.ctm.client.CTMCall establishIPC  - URN_NOT_FOUND : urn "ogs_server_urn" : Not found !!
    05/May/2010 10:41:35:998 ERROR main com.cisco.nm.xms.ctm.client.CTMClientProxy getProxy  - URN_NOT_FOUND : urn "ogs_server_urn" : Not found !!
    com.cisco.nm.xms.ctm.common.CTMException: URN_NOT_FOUND : urn "ogs_server_urn" : Not found !!
        at com.cisco.nm.xms.ctm.client.CTMCall.establishIPC(CTMCall.java:238)
        at com.cisco.nm.xms.ctm.client.CTMCall.<init>(CTMCall.java:218)
        at com.cisco.nm.xms.ctm.client.CTMClientProxy.<init>(CTMClientProxy.java:64)
        at com.cisco.nm.xms.ctm.client.CTMClientProxy.getProxy(CTMClientProxy.java:180)
        at com.cisco.nm.xms.ogs.client.OGSServerProxy.init(OGSServerProxy.java:179)
        at com.cisco.nm.xms.ogs.client.OGSServerProxy.init(OGSServerProxy.java:98)
        at com.cisco.nm.xms.ogs.client.OGSServerProxy.<init>(OGSServerProxy.java:85)
        at com.cisco.nm.trx.nos.server.EPMPoller.ogsVerifyService(EPMPoller.java:212)
        at com.cisco.nm.trx.nos.server.EPMPoller.<init>(EPMPoller.java:144)
        at com.cisco.nm.trx.nos.server.NOSServer.initializeEPMPoller(NOSServer.java:244)
        at com.cisco.nm.trx.nos.server.NOSServer.<init>(NOSServer.java:107)
        at com.cisco.nm.trx.nos.server.NOSServer.main(NOSServer.java:259)
    05/May/2010 10:42:06:008 ERROR main com.cisco.nm.xms.ctm.client.CTMCall establishIPC  - URN_NOT_FOUND : urn "ogs_server_urn" : Not found !!
    05/May/2010 10:42:06:009 ERROR main com.cisco.nm.xms.ctm.client.CTMCall establishIPC  - URN_NOT_FOUND : urn "ogs_server_urn" : Not found !!
    05/May/2010 10:42:06:009 ERROR main com.cisco.nm.xms.ctm.client.CTMClientProxy getProxy  - URN_NOT_FOUND : urn "ogs_server_urn" : Not found !!
    com.cisco.nm.xms.ctm.common.CTMException: URN_NOT_FOUND : urn "ogs_server_urn" : Not found !!
        at com.cisco.nm.xms.ctm.client.CTMCall.establishIPC(CTMCall.java:238)
        at com.cisco.nm.xms.ctm.client.CTMCall.<init>(CTMCall.java:218)
        at com.cisco.nm.xms.ctm.client.CTMClientProxy.<init>(CTMClientProxy.java:64)
        at com.cisco.nm.xms.ctm.client.CTMClientProxy.getProxy(CTMClientProxy.java:180)
        at com.cisco.nm.xms.ogs.client.OGSServerProxy.init(OGSServerProxy.java:179)
        at com.cisco.nm.xms.ogs.client.OGSServerProxy.init(OGSServerProxy.java:98)
        at com.cisco.nm.xms.ogs.client.OGSServerProxy.<init>(OGSServerProxy.java:85)
        at com.cisco.nm.trx.nos.server.EPMPoller.ogsVerifyService(EPMPoller.java:212)
        at com.cisco.nm.trx.nos.server.EPMPoller.<init>(EPMPoller.java:144)
        at com.cisco.nm.trx.nos.server.NOSServer.initializeEPMPoller(NOSServer.java:244)
        at com.cisco.nm.trx.nos.server.NOSServer.<init>(NOSServer.java:107)
        at com.cisco.nm.trx.nos.server.NOSServer.main(NOSServer.java:259)
    05/May/2010 10:42:36:018 ERROR main com.cisco.nm.xms.ctm.client.CTMCall establishIPC  - URN_NOT_FOUND : urn "ogs_server_urn" : Not found !!
    05/May/2010 10:42:36:019 ERROR main com.cisco.nm.xms.ctm.client.CTMCall establishIPC  - URN_NOT_FOUND : urn "ogs_server_urn" : Not found !!
    05/May/2010 10:42:36:021 ERROR main com.cisco.nm.xms.ctm.client.CTMClientProxy getProxy  - URN_NOT_FOUND : urn "ogs_server_urn" : Not found !!
    com.cisco.nm.xms.ctm.common.CTMException: URN_NOT_FOUND : urn "ogs_server_urn" : Not found !!
        at com.cisco.nm.xms.ctm.client.CTMCall.establishIPC(CTMCall.java:238)
        at com.cisco.nm.xms.ctm.client.CTMCall.<init>(CTMCall.java:218)
        at com.cisco.nm.xms.ctm.client.CTMClientProxy.<init>(CTMClientProxy.java:64)
        at com.cisco.nm.xms.ctm.client.CTMClientProxy.getProxy(CTMClientProxy.java:180)
        at com.cisco.nm.xms.ogs.client.OGSServerProxy.init(OGSServerProxy.java:179)
        at com.cisco.nm.xms.ogs.client.OGSServerProxy.init(OGSServerProxy.java:98)
        at com.cisco.nm.xms.ogs.client.OGSServerProxy.<init>(OGSServerProxy.java:85)
        at com.cisco.nm.trx.nos.server.EPMPoller.ogsVerifyService(EPMPoller.java:212)
        at com.cisco.nm.trx.nos.server.EPMPoller.<init>(EPMPoller.java:144)
        at com.cisco.nm.trx.nos.server.NOSServer.initializeEPMPoller(NOSServer.java:244)
        at com.cisco.nm.trx.nos.server.NOSServer.<init>(NOSServer.java:107)
        at com.cisco.nm.trx.nos.server.NOSServer.main(NOSServer.java:259)
    05/May/2010 10:43:06:028 ERROR main com.cisco.nm.xms.ctm.client.CTMCall establishIPC  - URN_NOT_FOUND : urn "ogs_server_urn" : Not found !!
    05/May/2010 10:43:06:029 ERROR main com.cisco.nm.xms.ctm.client.CTMCall establishIPC  - URN_NOT_FOUND : urn "ogs_server_urn" : Not found !!
    05/May/2010 10:43:06:030 ERROR main com.cisco.nm.xms.ctm.client.CTMClientProxy getProxy  - URN_NOT_FOUND : urn "ogs_server_urn" : Not found !!
    com.cisco.nm.xms.ctm.common.CTMException: URN_NOT_FOUND : urn "ogs_server_urn" : Not found !!
        at com.cisco.nm.xms.ctm.client.CTMCall.establishIPC(CTMCall.java:238)
        at com.cisco.nm.xms.ctm.client.CTMCall.<init>(CTMCall.java:218)
        at com.cisco.nm.xms.ctm.client.CTMClientProxy.<init>(CTMClientProxy.java:64)
        at com.cisco.nm.xms.ctm.client.CTMClientProxy.getProxy(CTMClientProxy.java:180)
        at com.cisco.nm.xms.ogs.client.OGSServerProxy.init(OGSServerProxy.java:179)
        at com.cisco.nm.xms.ogs.client.OGSServerProxy.init(OGSServerProxy.java:98)
        at com.cisco.nm.xms.ogs.client.OGSServerProxy.<init>(OGSServerProxy.java:85)
        at com.cisco.nm.trx.nos.server.EPMPoller.ogsVerifyService(EPMPoller.java:212)
        at com.cisco.nm.trx.nos.server.EPMPoller.<init>(EPMPoller.java:144)
        at com.cisco.nm.trx.nos.server.NOSServer.initializeEPMPoller(NOSServer.java:244)
        at com.cisco.nm.trx.nos.server.NOSServer.<init>(NOSServer.java:107)
        at com.cisco.nm.trx.nos.server.NOSServer.main(NOSServer.java:259)
    05/May/2010 10:43:36:038 ERROR main com.cisco.nm.xms.ctm.client.CTMCall establishIPC  - URN_NOT_FOUND : urn "ogs_server_urn" : Not found !!
    05/May/2010 10:43:36:039 ERROR main com.cisco.nm.xms.ctm.client.CTMCall establishIPC  - URN_NOT_FOUND : urn "ogs_server_urn" : Not found !!
    05/May/2010 10:43:36:040 ERROR main com.cisco.nm.xms.ctm.client.CTMClientProxy getProxy  - URN_NOT_FOUND : urn "ogs_server_urn" : Not found !!
    com.cisco.nm.xms.ctm.common.CTMException: URN_NOT_FOUND : urn "ogs_server_urn" : Not found !!
        at com.cisco.nm.xms.ctm.client.CTMCall.establishIPC(CTMCall.java:238)
        at com.cisco.nm.xms.ctm.client.CTMCall.<init>(CTMCall.java:218)
        at com.cisco.nm.xms.ctm.client.CTMClientProxy.<init>(CTMClientProxy.java:64)
        at com.cisco.nm.xms.ctm.client.CTMClientProxy.getProxy(CTMClientProxy.java:180)
        at com.cisco.nm.xms.ogs.client.OGSServerProxy.init(OGSServerProxy.java:179)
        at com.cisco.nm.xms.ogs.client.OGSServerProxy.init(OGSServerProxy.java:98)
        at com.cisco.nm.xms.ogs.client.OGSServerProxy.<init>(OGSServerProxy.java:85)
        at com.cisco.nm.trx.nos.server.EPMPoller.ogsVerifyService(EPMPoller.java:212)
        at com.cisco.nm.trx.nos.server.EPMPoller.<init>(EPMPoller.java:144)
        at com.cisco.nm.trx.nos.server.NOSServer.initializeEPMPoller(NOSServer.java:244)
        at com.cisco.nm.trx.nos.server.NOSServer.<init>(NOSServer.java:107)
        at com.cisco.nm.trx.nos.server.NOSServer.main(NOSServer.java:259)
    05/May/2010 10:44:06:050 ERROR main com.cisco.nm.xms.ctm.client.CTMCall establishIPC  - URN_NOT_FOUND : urn "ogs_server_urn" : Not found !!
    05/May/2010 10:44:06:051 ERROR main com.cisco.nm.xms.ctm.client.CTMCall establishIPC  - URN_NOT_FOUND : urn "ogs_server_urn" : Not found !!
    05/May/2010 10:44:06:053 ERROR main com.cisco.nm.xms.ctm.client.CTMClientProxy getProxy  - URN_NOT_FOUND : urn "ogs_server_urn" : Not found !!
    com.cisco.nm.xms.ctm.common.CTMException: URN_NOT_FOUND : urn "ogs_server_urn" : Not found !!
        at com.cisco.nm.xms.ctm.client.CTMCall.establishIPC(CTMCall.java:238)
        at com.cisco.nm.xms.ctm.client.CTMCall.<init>(CTMCall.java:218)
        at com.cisco.nm.xms.ctm.client.CTMClientProxy.<init>(CTMClientProxy.java:64)
        at com.cisco.nm.xms.ctm.client.CTMClientProxy.getProxy(CTMClientProxy.java:180)
        at com.cisco.nm.xms.ogs.client.OGSServerProxy.init(OGSServerProxy.java:179)
        at com.cisco.nm.xms.ogs.client.OGSServerProxy.init(OGSServerProxy.java:98)
        at com.cisco.nm.xms.ogs.client.OGSServerProxy.<init>(OGSServerProxy.java:85)
        at com.cisco.nm.trx.nos.server.EPMPoller.ogsVerifyService(EPMPoller.java:212)
        at com.cisco.nm.trx.nos.server.EPMPoller.<init>(EPMPoller.java:144)
        at com.cisco.nm.trx.nos.server.NOSServer.initializeEPMPoller(NOSServer.java:244)
        at com.cisco.nm.trx.nos.server.NOSServer.<init>(NOSServer.java:107)
        at com.cisco.nm.trx.nos.server.NOSServer.main(NOSServer.java:259)
    05/May/2010 10:44:36:064 ERROR main com.cisco.nm.xms.ctm.client.CTMCall establishIPC  - URN_NOT_FOUND : urn "ogs_server_urn" : Not found !!
    05/May/2010 10:44:36:065 ERROR main com.cisco.nm.xms.ctm.client.CTMCall establishIPC  - URN_NOT_FOUND : urn "ogs_server_urn" : Not found !!
    05/May/2010 10:44:36:066 ERROR main com.cisco.nm.xms.ctm.client.CTMClientProxy getProxy  - URN_NOT_FOUND : urn "ogs_server_urn" : Not found !!
    com.cisco.nm.xms.ctm.common.CTMException: URN_NOT_FOUND : urn "ogs_server_urn" : Not found !!
        at com.cisco.nm.xms.ctm.client.CTMCall.establishIPC(CTMCall.java:238)
        at com.cisco.nm.xms.ctm.client.CTMCall.<init>(CTMCall.java:218)
        at com.cisco.nm.xms.ctm.client.CTMClientProxy.<init>(CTMClientProxy.java:64)
        at com.cisco.nm.xms.ctm.client.CTMClientProxy.getProxy(CTMClientProxy.java:180)
        at com.cisco.nm.xms.ogs.client.OGSServerProxy.init(OGSServerProxy.java:179)
        at com.cisco.nm.xms.ogs.client.OGSServerProxy.init(OGSServerProxy.java:98)
        at com.cisco.nm.xms.ogs.client.OGSServerProxy.<init>(OGSServerProxy.java:85)
        at com.cisco.nm.trx.nos.server.EPMPoller.ogsVerifyService(EPMPoller.java:212)
        at com.cisco.nm.trx.nos.server.EPMPoller.<init>(EPMPoller.java:144)
        at com.cisco.nm.trx.nos.server.NOSServer.initializeEPMPoller(NOSServer.java:244)
        at com.cisco.nm.trx.nos.server.NOSServer.<init>(NOSServer.java:107)
        at com.cisco.nm.trx.nos.server.NOSServer.main(NOSServer.java:259)
    05/May/2010 10:45:06:075 ERROR main com.cisco.nm.xms.ctm.client.CTMCall establishIPC  - URN_NOT_FOUND : urn "ogs_server_urn" : Not found !!
    05/May/2010 10:45:06:076 ERROR main com.cisco.nm.xms.ctm.client.CTMCall establishIPC  - URN_NOT_FOUND : urn "ogs_server_urn" : Not found !!
    05/May/2010 10:45:06:077 ERROR main com.cisco.nm.xms.ctm.client.CTMClientProxy getProxy  - URN_NOT_FOUND : urn "ogs_server_urn" : Not found !!
    com.cisco.nm.xms.ctm.common.CTMException: URN_NOT_FOUND : urn "ogs_server_urn" : Not found !!
        at com.cisco.nm.xms.ctm.client.CTMCall.establishIPC(CTMCall.java:238)
        at com.cisco.nm.xms.ctm.client.CTMCall.<init>(CTMCall.java:218)
        at com.cisco.nm.xms.ctm.client.CTMClientProxy.<init>(CTMClientProxy.java:64)
        at com.cisco.nm.xms.ctm.client.CTMClientProxy.getProxy(CTMClientProxy.java:180)
        at com.cisco.nm.xms.ogs.client.OGSServerProxy.init(OGSServerProxy.java:179)
        at com.cisco.nm.xms.ogs.client.OGSServerProxy.init(OGSServerProxy.java:98)
        at com.cisco.nm.xms.ogs.client.OGSServerProxy.<init>(OGSServerProxy.java:85)
        at com.cisco.nm.trx.nos.server.EPMPoller.ogsVerifyService(EPMPoller.java:212)
        at com.cisco.nm.trx.nos.server.EPMPoller.<init>(EPMPoller.java:144)
        at com.cisco.nm.trx.nos.server.NOSServer.initializeEPMPoller(NOSServer.java:244)
        at com.cisco.nm.trx.nos.server.NOSServer.<init>(NOSServer.java:107)
        at com.cisco.nm.trx.nos.server.NOSServer.main(NOSServer.java:259)
    java.util.NoSuchElementException
        at java.util.StringTokenizer.nextToken(StringTokenizer.java:332)
        at com.cisco.nm.trx.nos.server.ProcessEPMDataManager$EpmDataQueueItem.formatAlertDataOnly(ProcessEPMDataManager.java:789)
        at com.cisco.nm.trx.nos.server.ProcessEPMDataManager$EpmDataQueueItem.processAlertData(ProcessEPMDataManager.java:951)
        at com.cisco.nm.trx.nos.server.ProcessEPMDataManager$EpmDataQueueItem.processEPMData(ProcessEPMDataManager.java:1319)
        at com.cisco.nm.trx.nos.server.ProcessEPMDataManager$EpmDataQueueItem.run(ProcessEPMDataManager.java:206)
        at com.cisco.nm.trx.nos.server.ThreadPool$1.run(ThreadPool.java:37)
    java.util.NoSuchElementException
    And in the dcrclient.log i noticed this:
    [ Wed May 05 10:40:15 CEST 2010 ] [Thread-0] DEBUG CTM.Registry - Incoming request type is:2
    [ Wed May 05 10:40:15 CEST 2010 ] [Thread-0] DEBUG CTM.Registry - backed up registry = {47001=[dmserver-RMELogLevelChange, EssentialsDM]}
    [ Wed May 05 10:40:15 CEST 2010 ] [Thread-0] DEBUG CTM.Registry - RegistryHandler.addCTMPort returning port = 47002
    [ Wed May 05 10:40:15 CEST 2010 ] [Thread-0] DEBUG CTM.Registry - Incoming request type is:4
    [ Wed May 05 10:40:15 CEST 2010 ] [Thread-0] DEBUG CTM.Registry - Added urn inventory.ics.server-RMELogLevelChangeat port 47002
    [ Wed May 05 10:40:15 CEST 2010 ] [Thread-0] DEBUG CTM.Registry - backed up registry = {47002=[], 47001=[dmserver-RMELogLevelChange, EssentialsDM]}
    [ Wed May 05 10:40:15 CEST 2010 ] [Thread-0] DEBUG CTM.Registry - Incoming request type is:2
    [ Wed May 05 10:40:15 CEST 2010 ] [Thread-0] DEBUG CTM.Registry - backed up registry = {47002=[inventory.ics.server-RMELogLevelChange], 47001=[dmserver-RMELogLevelChange, EssentialsDM]}
    [ Wed May 05 10:40:15 CEST 2010 ] [Thread-0] DEBUG CTM.Registry - RegistryHandler.addCTMPort returning port = 47003
    [ Wed May 05 10:40:15 CEST 2010 ] [Thread-0] DEBUG CTM.Registry - Incoming request type is:4
    [ Wed May 05 10:40:15 CEST 2010 ] [Thread-0] DEBUG CTM.Registry - Added urn archive.service-RMELogLevelChangeat port 47003
    [ Wed May 05 10:40:15 CEST 2010 ] [Thread-0] DEBUG CTM.Registry - backed up registry = {47003=[], 47002=[inventory.ics.server-RMELogLevelChange], 47001=[dmserver-RMELogLevelChange, EssentialsDM]}
    [ Wed May 05 10:40:15 CEST 2010 ] [Thread-16] INFO com.cisco.nm.dcr.DCRContext - Settings File: E:/LMS\lib\classpath\com\cisco\nm\dcr/dcr.ini
    [ Wed May 05 10:40:15 CEST 2010 ] [Thread-16] DEBUG com.cisco.nm.dcr.DCRSystem - In Instantiating DCR Subsystems...
    [ Wed May 05 10:40:15 CEST 2010 ] [Thread-0] DEBUG CTM.Registry - Incoming request type is:1
    [ Wed May 05 10:40:15 CEST 2010 ] [Thread-16] DEBUG com.cisco.nm.dcr.DCRDatabaseAccess -  Query is UPDATE JRM set command= '$JP -cw:jre lib\jre -cp MDC\tomcat\common\lib\activation.jar;objects\db\java\smtp.jar;MDC\tomcat\common\lib\mail.jar;MDC\tomcat\webapps\cwhp\WEB-INF\lib\dcrimpexp.jar;MDC\tomcat\webapps\cwhp\WEB-INF\lib\ogs-client.jar;MDC\tomcat\webapps\cwhp\WEB-INF\lib\ogs-util.jar;MDC\tomcat\webapps\cwhp\WEB-INF\lib\ogs-server.jar;MDC\tomcat\webapps\cwhp\WEB-INF\classes;MDC\tomcat\webapps\cwhp\WEB-INF\lib\ctm.jar;MDC\tomcat\webapps\cwhp\WEB-INF\lib\struts.jar;MDC\tomcat\shared\lib\MICE.jar;MDC\tomcat\shared\lib\NATIVE.jar;MDC\tomcat\webapps\cwhp\WEB-INF\lib\log4j.jar;MDC\tomcat\shared\lib\xerces.jar;MDC\tomcat\common\lib\servlet.jar;MDC\jre\lib\ext\trust.jar;MDC\jre\lib\ext\jcert.jar;MDC\jre\lib\ext\jnet.jar;MDC\jre\lib\ext\trust.jar;MDC\jre\lib\ext\jsse.jar;MDC\jre\lib\ext\store.jar;lib\classpath;www\classpath $JJ com.cisco.nm.dcr.impexp.DCRJobInvoker $JI' WHERE type_id = 'DCR Import Export';
    [ Wed May 05 10:40:15 CEST 2010 ] [Thread-16] DEBUG com.cisco.nm.dcr.DCRDataManagement - Attribute type details feteched from database
    [ Wed May 05 10:40:15 CEST 2010 ] [Thread-16] DEBUG com.cisco.nm.dcr.DCRSystem - DCR Subsystems intialized sucessfully
    [ Wed May 05 10:40:15 CEST 2010 ] [Thread-16] DEBUG CTM.client - Urn:"DCRCAM" Host:EGEER00AS64 Encoding style:1URL:443/cwhp/CTMServlet
    [ Wed May 05 10:40:15 CEST 2010 ] [Thread-16] INFO CTM.client - Establishing RPC
    [ Wed May 05 10:40:15 CEST 2010 ] [Thread-16] DEBUG CTM.client - Secure Connection is set to TRUE in CTMClientProperties
    [ Wed May 05 10:40:15 CEST 2010 ] [Thread-16] DEBUG CTM.client - Port specified in CTMClientProperties is 80
    [ Wed May 05 10:40:15 CEST 2010 ] [Thread-16] DEBUG CTM.client - The newly formed URL is https://EGEER00AS64:443/cwhp/CTMServlet
    [ Wed May 05 10:40:15 CEST 2010 ] [Thread-16] DEBUG CTM.client - Urn:"LocalDCR" Host:EGEER00AS64 Encoding style:1URL:443/cwhp/CTMServlet
    [ Wed May 05 10:40:15 CEST 2010 ] [Thread-16] INFO CTM.client - Establishing RPC
    [ Wed May 05 10:40:15 CEST 2010 ] [Thread-16] DEBUG CTM.client - Secure Connection is set to TRUE in CTMClientProperties
    [ Wed May 05 10:40:15 CEST 2010 ] [Thread-16] DEBUG CTM.client - Port specified in CTMClientProperties is 80
    [ Wed May 05 10:40:15 CEST 2010 ] [Thread-16] DEBUG CTM.client - The newly formed URL is https://EGEER00AS64:443/cwhp/CTMServlet
    [ Wed May 05 10:40:15 CEST 2010 ] [Thread-16] DEBUG CTM.client - RPC, EncodingStyle = CTMConstants.CTM_BINARY
    [ Wed May 05 10:40:15 CEST 2010 ] [Thread-21] DEBUG CTM.Registry - Server Start Check Passed For 47002
    [ Wed May 05 10:40:15 CEST 2010 ] [Thread-21] DEBUG CTM.Registry -  server running at 47002
    [ Wed May 05 10:40:16 CEST 2010 ] [Thread-22] DEBUG CTM.Registry - Server Start Check Passed For 47003
    [ Wed May 05 10:40:16 CEST 2010 ] [Thread-22] DEBUG CTM.Registry -  server running at 47003
    [ Wed May 05 10:40:17 CEST 2010 ] [main] INFO com.cisco.nm.dcr.DCRContext - Settings File: E:/LMS\lib\classpath\com\cisco\nm\dcr/dcr.ini
    [ Wed May 05 10:40:17 CEST 2010 ] [main] DEBUG com.cisco.nm.dcr.DCRSystem - In Instantiating DCR Subsystems...
    [ Wed May 05 10:40:17 CEST 2010 ] [main] DEBUG com.cisco.nm.dcr.DCRDatabaseAccess -  Query is UPDATE JRM set command= '$JP -cw:jre lib\jre -cp MDC\tomcat\common\lib\activation.jar;objects\db\java\smtp.jar;MDC\tomcat\common\lib\mail.jar;MDC\tomcat\webapps\cwhp\WEB-INF\lib\dcrimpexp.jar;MDC\tomcat\webapps\cwhp\WEB-INF\lib\ogs-client.jar;MDC\tomcat\webapps\cwhp\WEB-INF\lib\ogs-util.jar;MDC\tomcat\webapps\cwhp\WEB-INF\lib\ogs-server.jar;MDC\tomcat\webapps\cwhp\WEB-INF\classes;MDC\tomcat\webapps\cwhp\WEB-INF\lib\ctm.jar;MDC\tomcat\webapps\cwhp\WEB-INF\lib\struts.jar;MDC\tomcat\shared\lib\MICE.jar;MDC\tomcat\shared\lib\NATIVE.jar;MDC\tomcat\webapps\cwhp\WEB-INF\lib\log4j.jar;MDC\tomcat\shared\lib\xerces.jar;MDC\tomcat\common\lib\servlet.jar;MDC\jre\lib\ext\trust.jar;MDC\jre\lib\ext\jcert.jar;MDC\jre\lib\ext\jnet.jar;MDC\jre\lib\ext\trust.jar;MDC\jre\lib\ext\jsse.jar;MDC\jre\lib\ext\store.jar;lib\classpath;www\classpath $JJ com.cisco.nm.dcr.impexp.DCRJobInvoker $JI' WHERE type_id = 'DCR Import Export';
    [ Wed May 05 10:40:17 CEST 2010 ] [main] DEBUG com.cisco.nm.dcr.DCRDataManagement - Attribute type details feteched from database
    [ Wed May 05 10:40:17 CEST 2010 ] [main] DEBUG com.cisco.nm.dcr.DCRSystem - DCR Subsystems intialized sucessfully
    [ Wed May 05 10:40:17 CEST 2010 ] [main] DEBUG CTM.client - Urn:"DCRCAM" Host:EGEER00AS64 Encoding style:1URL:443/cwhp/CTMServlet
    [ Wed May 05 10:40:17 CEST 2010 ] [main] INFO CTM.client - Establishing RPC
    [ Wed May 05 10:40:17 CEST 2010 ] [main] DEBUG CTM.client - Secure Connection is set to TRUE in CTMClientProperties
    [ Wed May 05 10:40:17 CEST 2010 ] [main] DEBUG CTM.client - Port specified in CTMClientProperties is 80
    [ Wed May 05 10:40:17 CEST 2010 ] [main] DEBUG CTM.client - The newly formed URL is https://EGEER00AS64:443/cwhp/CTMServlet
    [ Wed May 05 10:40:17 CEST 2010 ] [Thread-0] DEBUG CTM.Registry - Incoming request type is:1
    [ Wed May 05 10:40:19 CEST 2010 ] [Thread-0] DEBUG CTM.Registry - Incoming request type is:1
    [ Wed May 05 10:40:20 CEST 2010 ] [Thread-8] DEBUG CTM.server - Invoked method   class com.cisco.nm.trx.tis.server.TISServiceImpl::getAllDeviceStatusSuccessfully
    [ Wed May 05 10:40:20 CEST 2010 ] [Thread-8] DEBUG CTM.server - After executecall now
    [ Wed May 05 10:40:20 CEST 2010 ] [Thread-8] DEBUG CTM.server - method executed
    [ Wed May 05 10:40:20 CEST 2010 ] [Thread-8] DEBUG CTM.server - response sent
    [ Wed May 05 10:40:20 CEST 2010 ] [Thread-8] DEBUG CTM.server - came in handleRequest
    [ Wed May 05 10:40:20 CEST 2010 ] [Thread-8] DEBUG CTM.server - Header read
    [ Wed May 05 10:40:20 CEST 2010 ] [Thread-8] DEBUG CTM.server - Got a closeconnection from client
    [ Wed May 05 10:40:20 CEST 2010 ] [Thread-8] INFO CTM.server - ClientEntry requestID:1273048820494 is deleted. hashtable size:0
    [ Wed May 05 10:40:20 CEST 2010 ] [Thread-8] DEBUG CTM.server - Will now close the TCPChannel
    [ Wed May 05 10:40:20 CEST 2010 ] [Thread-7] INFO com.cisco.nm.dcr.DCRContext - Settings File: E:/LMS\lib\classpath\com\cisco\nm\dcr/dcr.ini
    [ Wed May 05 10:40:20 CEST 2010 ] [Thread-7] DEBUG com.cisco.nm.dcr.DCRSystem - In Instantiating DCR Subsystems...
    [ Wed May 05 10:40:21 CEST 2010 ] [Thread-7] DEBUG com.cisco.nm.dcr.DCRDatabaseAccess -  Query is UPDATE JRM set command= '$JP -cw:jre lib\jre -cp MDC\tomcat\common\lib\activation.jar;objects\db\java\smtp.jar;MDC\tomcat\common\lib\mail.jar;MDC\tomcat\webapps\cwhp\WEB-INF\lib\dcrimpexp.jar;MDC\tomcat\webapps\cwhp\WEB-INF\lib\ogs-client.jar;MDC\tomcat\webapps\cwhp\WEB-INF\lib\ogs-util.jar;MDC\tomcat\webapps\cwhp\WEB-INF\lib\ogs-server.jar;MDC\tomcat\webapps\cwhp\WEB-INF\classes;MDC\tomcat\webapps\cwhp\WEB-INF\lib\ctm.jar;MDC\tomcat\webapps\cwhp\WEB-INF\lib\struts.jar;MDC\tomcat\shared\lib\MICE.jar;MDC\tomcat\shared\lib\NATIVE.jar;MDC\tomcat\webapps\cwhp\WEB-INF\lib\log4j.jar;MDC\tomcat\shared\lib\xerces.jar;MDC\tomcat\common\lib\servlet.jar;MDC\jre\lib\ext\trust.jar;MDC\jre\lib\ext\jcert.jar;MDC\jre\lib\ext\jnet.jar;MDC\jre\lib\ext\trust.jar;MDC\jre\lib\ext\jsse.jar;MDC\jre\lib\ext\store.jar;lib\classpath;www\classpath $JJ com.cisco.nm.dcr.impexp.DCRJobInvoker $JI' WHERE type_id = 'DCR Import Export';
    [ Wed May 05 10:40:21 CEST 2010 ] [Thread-7] DEBUG com.cisco.nm.dcr.DCRDataManagement - Attribute type details feteched from database
    [ Wed May 05 10:40:21 CEST 2010 ] [Thread-7] DEBUG com.cisco.nm.dcr.DCRSystem - DCR Subsystems intialized sucessfully
    [ Wed May 05 10:40:21 CEST 2010 ] [Thread-7] DEBUG CTM.client - Urn:"DCRCAM" Host:EGEER00AS64 Encoding style:1URL:443/cwhp/CTMServlet
    [ Wed May 05 10:40:21 CEST 2010 ] [Thread-7] INFO CTM.client - Establishing RPC
    [ Wed May 05 10:40:21 CEST 2010 ] [Thread-7] DEBUG CTM.client - Secure Connection is set to TRUE in CTMClientProperties
    [ Wed May 05 10:40:21 CEST 2010 ] [Thread-7] DEBUG CTM.client - Port specified in CTMClientProperties is 80
    [ Wed May 05 10:40:21 CEST 2010 ] [Thread-7] DEBUG CTM.client - The newly formed URL is https://EGEER00AS64:443/cwhp/CTMServlet
    [ Wed May 05 10:40:21 CEST 2010 ] [Thread-16] DEBUG CTM.common - classLocation is: jar:file:/E:/LMS/MDC/tomcat/webapps/rme/WEB-INF/lib/ctm.jar!/com/cisco/nm/xms/ctm/common/CTMConfig.class
    [ Wed May 05 10:40:21 CEST 2010 ] [Thread-16] DEBUG CTM.client - LocalUrnPort recd = 40053
    [ Wed May 05 10:40:21 CEST 2010 ] [Thread-16] DEBUG CTM.client - Optimization =  true
    [ Wed May 05 10:40:21 CEST 2010 ] [Thread-7] DEBUG CTM.client - RPC, EncodingStyle = CTMConstants.CTM_BINARY
    [ Wed May 05 10:40:21 CEST 2010 ] [Thread-16] DEBUG CTM.client - Returning result of invoke
    [ Wed May 05 10:40:21 CEST 2010 ] [Thread-16] DEBUG CTM.client - Urn:"LocalDCR" Host:EGEER00AS64 Encoding style:1URL:443/cwhp/CTMServlet
    [ Wed May 05 10:40:21 CEST 2010 ] [Thread-16] INFO CTM.client - Establishing RPC
    [ Wed May 05 10:40:21 CEST 2010 ] [Thread-16] DEBUG CTM.client - Secure Connection is set to TRUE in CTMClientProperties
    [ Wed May 05 10:40:21 CEST 2010 ] [Thread-16] DEBUG CTM.client - Port specified in CTMClientProperties is 80
    [ Wed May 05 10:40:21 CEST 2010 ] [Thread-16] DEBUG CTM.client - The newly formed URL is https://EGEER00AS64:443/cwhp/CTMServlet
    [ Wed May 05 10:40:21 CEST 2010 ] [Thread-16] DEBUG CTM.client - RPC, EncodingStyle = CTMConstants.CTM_BINARY
    [ Wed May 05 10:40:21 CEST 2010 ] [Thread-16] DEBUG CTM.common - classLocation is: jar:file:/E:/LMS/MDC/tomcat/webapps/rme/WEB-INF/lib/ctm.jar!/com/cisco/nm/xms/ctm/common/CTMConfig.class
    [ Wed May 05 10:40:21 CEST 2010 ] [Thread-16] DEBUG CTM.client - LocalUrnPort recd = 40053
    [ Wed May 05 10:40:21 CEST 2010 ] [Thread-16] DEBUG CTM.client - Optimization =  true
    [ Wed May 05 10:40:21 CEST 2010 ] [Thread-16] DEBUG CTM.client - Returning result of invoke
    [ Wed May 05 10:40:21 CEST 2010 ] [Thread-0] DEBUG CTM.Registry - Incoming request type is:1
    [ Wed May 05 10:40:22 CEST 2010 ] [Thread-16] DEBUG CTM.common - classLocation is: jar:file:/E:/LMS/MDC/tomcat/webapps/rme/WEB-INF/lib/ctm.jar!/com/cisco/nm/xms/ctm/common/CTMConfig.class
    [ Wed May 05 10:40:22 CEST 2010 ] [Thread-16] INFO CTM.server - Publishing with urn:"inventory.ics.server-RMELogLevelChange"
    [ Wed May 05 10:40:22 CEST 2010 ] [Thread-16] DEBUG CTM.Registry - port:47001 urn:"inventory.ics.server-RMELogLevelChange"
    [ Wed May 05 10:40:22 CEST 2010 ] [Thread-16] INFO CTM.Registry -  Waiting to read the data ...
    [ Wed May 05 10:40:22 CEST 2010 ] [Thread-0] DEBUG CTM.Registry - Incoming request type is:4
    [ Wed May 05 10:40:22 CEST 2010 ] [Thread-0] DEBUG CTM.Registry - Sever is Alive ! Socket[addr=localhost/127.0.0.1,port=47002,localport=32440]
    [ Wed May 05 10:40:22 CEST 2010 ] [Thread-0] ERROR CTM.Registry - DUPLICATE_URN,CTMRegistry::addNewURNEntry(): URN already in use
    [ Wed May 05 10:40:22 CEST 2010 ] [Thread-0] ERROR CTM.Registry - CTMRegistryResponse FAILED
    [ Wed May 05 10:40:22 CEST 2010 ] [Thread-16] ERROR CTM.Registry - CTMRegistryClient::addNewURNEntry  URN : inventory.ics.server-RMELogLevelChange ErrMsg : URN already in use
    [ Wed May 05 10:40:22 CEST 2010 ] [Thread-16] DEBUG CTM.server - Duplicate urn inventory.ics.server-RMELogLevelChange
    [ Wed May 05 10:40:22 CEST 2010 ] [Thread-16] ERROR CTM.server - CTMRegistryClient::addNewURNEntry  URN : inventory.ics.server-RMELogLevelChange ErrMsg : URN already in use
    [ Wed May 05 10:40:22 CEST 2010 ] [Thread-0] DEBUG CTM.Registry - Incoming request type is:2
    [ Wed May 05 10:40:22 CEST 2010 ] [Thread-0] DEBUG CTM.Registry - backed up registry = {47003=[archive.service-RMELogLevelChange], 47002=[inventory.ics.server-RMELogLevelChange], 47001=[dmserver-RMELogLevelChange, EssentialsDM]}
    I attached the output of pdshow command.
    What is causing these Problem? A corrupt database or some invalid setting??
    Does anybody has an idea?
    Thanks in advance
    Frank

    Hi Joe,
    thanks for your fast reply.
    The corresponding SR is 614309645.
    These are the TAC provided files and sizes.
    05/06/2010 10:46 AM 1,731  ProcessEPMDataManager$EpmDataQueueItem$epmAlarmHistory.class
    05/06/2010 10:46 AM 1,391  ProcessEPMDataManager$EpmDataQueueItem$epmConditionHistory.class
    05/06/2010 10:46 AM 889  ProcessEPMDataManager$EpmDataQueueItem$epmEventProperties.class
    05/06/2010 10:46 AM 33,774  ProcessEPMDataManager$EpmDataQueueItem.class
    05/06/2010 10:46 AM 7,112  ProcessEPMDataManager.class
    The setup instruction from TAC:
    1- Stop the  daemon manager:
                 net stop crmdmgtd
    2- Go  to:
    $NMSROOT/MDC/tomcat/webapps/triveni/WEB-INF/classes/com/cisco/nm/trx/nos/server
    and backup  the original files (either copy them to another safe directory or rename them to  something like . Please don't retain the  original extension when renaming the files.
    3- Make  sure that the patch files have the following MD5s:
    MD5  (ProcessEPMDataManager$EpmDataQueueItem$epmAlarmHistory.class) =  08851732b0b3aac5bb0636cc3e8e3c10
    MD5  (ProcessEPMDataManager$EpmDataQueueItem$epmConditionHistory.class) =  7933e55abb6ad604aa6ca8d3126ff189
    MD5  (ProcessEPMDataManager$EpmDataQueueItem$epmEventProperties.class) =  af3b72952ec59d59e30b0309af80a9d2
    MD5  (ProcessEPMDataManager$EpmDataQueueItem.class) =  a70f49f8eab6bdea007b4ddd79e3809f
    MD5  (ProcessEPMDataManager.class) =  a6ec024955bb638d8fec47694816a82a3-
    4- Replace  the originals in the above mentioned directory with these  versions.
    5 Start the  Daemon manager:
                 net start crmdmgtd
    I followed these instructions and still facing the problem.
    I also searched for the libeay32.dll and ssleay32.dll, i found them, but in a path not included in the Windows PATH variable. Therefore these files should not influence LMS.
    In the NOS Log i still see these messages:
    10-May-2010|15:01:10.027|ERROR|NOS|Process EPM Data Thread:Pooled  Thread:1|EpmDataQueueItem|processEPMData()|.|Caught Exception in  processEPMData():  java.util.NoSuchElementException
    10-May-2010|15:01:39.747|DEBUG|NOS|Thread-5|EPMPoller|pollEPM_Wash|.|Inside  pollEPM_Wash
    10-May-2010|15:01:39.747|DEBUG|NOS|Thread-5|EPMPoller|pollEPM_Wash()|.|!!  _pollStarted =  true
    10-May-2010|15:01:39.747|DEBUG|NOS|Thread-5|NOSUtil|sendNotifOnStart|.|0
    10-May-2010|15:01:39.747|DEBUG|NOS|Thread-5|EPMPoller|pollEPM_Wash()|.|No  DB Exception in  polling
    Since these Messages depends on EPM Data i had a look into the EPMServer.log and EPM.log
    The EPMServer.log is shortened and showing all entries from the last dmgtd start. After the usual urn_not_found messages and the init of the Groups the following entry is generated:
    java.lang.NullPointerException
        at com.cisco.nm.trx.epm.providers.alarm.AlarmUpdateListener.processUpdatedAlarm(Unknown Source)
        at com.cisco.nm.trx.epm.providers.alarm.AlarmUpdateListener.run(Unknown Source)
        at java.lang.Thread.run(Thread.java:595)
    After that i changerd the logging of EPM to debug and attached the file as EPM_Debug.zip to this post.
    Thanks a lot for your valuable support so far.
    Cheers Frank

  • Security Notification Service - Not working

    Hello
    I really couldn't find the appropriate place to post, but I thought I'd try here
    On this site:
    http://www.adobe.com/cfusion/entitlement/index.cfm?e=szalert
    You can supposedly sign up for the Security Notification Service.
    I've signed up using at least 3 different email adresses but have never received anything!
    Help! I need to know when adobe releases new product updates!

    What version are you on, if you are not on 10.1.3.3 then you will need to apply some patches to get this working. I think there are 2, sorry don't have the off hand. If you do an advanced search on Metalink you should find them. I would recommend upgrading to 10.1.3.3 though.
    what happend when you execute the command
    telnet dlsun4254.us.oracle.com 225
    You should get a lank screen. If nt you haven't established a connection to the email server, either the port or the server is worng.
    Are there any errors in the domain.log?
    Are you getting any errors in the in the BPEL process itself.
    cheers
    James

  • Push notification service confussion

    Hello all,
    Hope u all r reading this in the best of the time. Recently i read on the net abt the push notification service from the apple team. It indeed is a great thing to see since there is no background processing, but i do have some queries in this concern.
    The first thing i wana know is that when Apple is going to launch this new service? Another thing which i read is that it needs the firmware to be changed, now the thing that confuses me is that how can we update our emulator for iPhone (the one that comes with the Xcode ide)? or will there be an update in the SDK an we will need to re download it? Is there any such program so that one can get register and get this service a bit earlier (before its release)?
    Looking forward to hearing from you soon.
    Best regards,
    Obaid

    Ok, now the iPhone OS 2.1 BETA has been released. Do any one have any idea about notification service? Any help in this regard. I have downloaded the latest version and now i m going to install it.
    Please let me know because i haven't read any thing abt notification service in the documentation.
    Looking forward to hearing from you.
    Best regards,
    Obaid

  • Push notification service fills the system log with errors

    When I have the push notification service enabled, my system logs become filled with messages such as this:
    Sep 8 22:54:54 xserve jabberd/c2s[2175]: [7] [::ffff:192.168.1.100, port=50064] connect
    Sep 8 22:54:54 xserve jabberd/c2s[2175]: [7] [::ffff:192.168.1.100, port=50064] disconnect jid=unbound, packets: 0
    They occur at a rate of about two every second. What does that message mean and how do I stop it?

    When I took a look at push notification, I noticed that it was listening to a different port than what dovecot had been configured to use.(jabberd was set to listen to 5347, while Dovecot (email) was using the standard 5222 port for that open protocol. Not sure what the ichat server is set to use.
    Eventually, I did manage to get it working by updating the push notification config to listen to 5222. But it made no real difference because thunderbird and mail.app prefer imap updatings instead of push notification. So I turned it off.
    Not sure if this is of any help to you.
    Message was edited by: JFMezei

  • Apple push notification service problem

    Hi all,
    I'm trying to implement notification push service to my app.
    I'm reading here:
    http://mobiforge.com/developing/story/programming-apple-push-notification-servic es
    and here:
    https://developer.apple.com/library/ios/#documentation/NetworkingInternet/Concep tual/RemoteNotificationsPG/Introduction/Introduction.html#//apple_ref/doc/uid/TP 40008194-CH1-SW1
    When I try to connect to the sandbox service server with my php code:
    [code]
    <?php
          $token = $_GET['myapptoken'];
          $deviceToken = $token; // token dell'iPhone a cui inviare la notifica
          // Passphrase for the private key (ck.pem file)
           $pass = "mypass";
          // Get the parameters from http get or from command line
          $message = 'Notification text';
          $badge = 1;
          $sound = 'default';
          // Construct the notification payload
          $body = array();
          $body['aps'] = array('alert' => $message);
          if ($badge)
                $body['aps']['badge'] = $badge;
          if ($sound)
                $body['aps']['sound'] = $sound;
          /* End of Configurable Items */
          $ctx = stream_context_create();
          stream_context_set_option($ctx, 'ssl', 'local_cert', 'apns-dev.pem');
          // assume the private key passphase was removed.
          stream_context_set_option($ctx, 'ssl', 'passphrase', $pass);
          $fp = stream_socket_client('ssl://gateway.sandbox.push.apple.com:2195', $err, $errstr, 120, STREAM_CLIENT_CONNECT, $ctx);
          if (!$fp) {
                print "Failed to connect $err $errstrn";
                return;
          } else {
                print "Connection OK\n";
          $payload = json_encode($body);
          $msg = chr(0).pack('n',32).pack('H*', str_replace(' ', '', $deviceToken)).pack('n',strlen($payload)).$payload;
          print "sending message :" . $payload . "\n";
          fwrite($fp, $msg);
          fclose($fp);
    ?>
    [/code]
    I receive this message:
    Warning: stream_socket_client(): unable to connect to ssl://gateway.sandbox.push.apple.com:2195 (Connection timed out) Failed to connect 110

    Please show me where is answer for this..

  • How to change the default JRE when there are several version of JRE in Sys

    How to change the default JRE when there are several version of JRE in System?
    i have installed j2sdk1.5.0 then installed j2ee1.4,then installed Weblogic6.1 which use jdk1.3
    Now the JRE is jdk1.3\bin
    When run class that was compiled with jdk1.5,throw:
    java.lang.UnsupportedClassVersionError
    How can i change the jre to 1.5?

    There is a workaround to move from 1.5 version to the older 1.4 version. But this could be specific to the browser setting the JRE version.
    Excerpts from sun docs:
    However, a user can still run older versions. To do so, launch the Java Plug-in Control Panel for the older version, then (re)select the browser in the Browser tab.
    Example:
    Assume you are running on Microsoft Windows with Microsoft Internet Explorer, have first installed version 1.4.2, then version 5.0, and you want to run 1.4.2.
    Go to the j2re1.4.2\bin directory where JRE 1.4.2 was installed. On a Windows default installation, this would be here: C:\Program Files\Java\j2re1.4.2\bin
    Double-click the jpicpl32.exe file located there. It will launch the control panel for 1.4.2.
    Select the Browser tab. Microsoft Internet Explorer might still appear to be set (checked). However, when 5.0 was installed, the registration of the 1.4.2 JRE with Internet Explorer was overwritten by the 5.0 JRE.
    If Microsoft Internet Explorer is shown as checked, uncheck it and click Apply. You will see a confirmation dialog stating that browser settings have changed.
    Check Microsoft Internet Explorer and click Apply. You should see a confirmation dialog.
    Restart the browser. It should now use the 1.4.2 JRE for conventional APPLET tags.
    Details are here
    http://java.sun.com/j2se/1.5.0/docs/guide/deployment/deployment-guide/jcp.html
    My system (Windows XP) has the version 1.5_09 set as the default. However i just installed JRE 1.5_06 and would like to revert back to _06 as the default JRE..
    Will update if i find more information

Maybe you are looking for

  • Download attachment in Mail application is super slow

    Whenever I download attachment from an email in Mail application, it super slow. It's 10 times slower than when I download the same attachment from Safari. So it means not because of the internet speed. I don't know you guys have the same problem lik

  • IPod Touch 2.2.1 Stopped Streaming Quicktime Clips

    Hello, I searched and couldn't find any info on why my iPod Touch 2G stopped streaming quicktime clips from the site drummerworld.com. This has not been an issue until recently, and now I just get a strange icon rather than a clip playing. Any info w

  • "Use my Microsoft Windows user ID and password" is grayed out

    Hello Experts, I've disabled "SOX Auditing" option in Server Manager in BPC 5.1 SP03, but "Use my Microsoft Windows user ID and password" is still grayed out. The only option I unlocked is saving password. How do I enable Windows Authentication in BP

  • Ask javascript code for radion button on dashboard section

    <p>hello guys, i'm newbie here.</p><p>i want to ask how can we get the value for radio button that wechoose</p><p> </p><p>example i have 2 rb, rb1 and rb2.</p><p>If i click rb1 then it will alert "rb1" and if clickrb2 then it will alert "rb2"</p><p> 

  • Error when open JS file

    Sometimes when I open a JS file, Dreamweaver 8 crash... there's a solution? Thank you!!!