Coherence entries do not expire

Hello,
I have a replicated scheme and set the expiration time (30 minutes) in the put method from NamedCache. In the first hour and a half, the behavior was as expected, from the logs I could see the entries expired after 30 minutes. But after that they seem to not expire. My problem is that some old data comes from the cache, although I could see the new data was stored. So i'm affraid the old data remains somewhere, maybe on some nodes and then is probably replicated back to all nodes.
I'm not sure what happens, but I only found this post: Problem with Coherence replicated cache and put operation with cMillis para where it says that replicated cache does not fully support per-entry expiration. Has anyone heard or experienced something similar?
And do you know how can I remove the entries from the cache?

Hi,
Given that the reply in this thread Problem with Coherence replicated cache and put operation with cMillis para was from Jason who works in the Coherence Engineering Team, and it was only a few months ago, I would be inclined to believe him when he says per-entry expiry is not supported in replicated caches.
An alternative to replicated caches is to use a Continuous Query Cache that is backed by a distributed cache. This will work like a replicated cache but gets around a lot of the limitations you have with replicated cache, like per-entry expiry.
The easiest way to make a replicated cache using a CQC is to use a class-scheme and custom wrapper class like this.
Your cache configuration would look something like this...
<cache-config xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
              xmlns="http://xmlns.oracle.com/coherence/coherence-cache-config"
              xsi:schemaLocation="http://xmlns.oracle.com/coherence/coherence-cache-config coherence-cache-config.xsd">
    <defaults>
        <serializer>pof</serializer>
    </defaults>
    <caching-scheme-mapping>
        <cache-mapping>
            <cache-name>Replicated*</cache-name>
            <scheme-name>cqc-scheme</scheme-name>
            <init-params>
                <init-param>
                    <param-name>underlying-cache</param-name>
                    <param-value>ReplicatedUnderlying*</param-value>
                </init-param>
            </init-params>
        </cache-mapping>
        <cache-mapping>
            <cache-name>ReplicatedUnderlying*</cache-name>
            <scheme-name>replicated-underlying-scheme</scheme-name>
        </cache-mapping>
    </caching-scheme-mapping>
    <caching-schemes>
        <class-scheme>
            <scheme-name>cqc-scheme</scheme-name>
            <class-name>com.thegridman.coherence.CQCReplicatedCache</class-name>
            <init-params>
                <init-param>
                    <param-type>{cache-ref}</param-type>
                    <param-value>{underlying-cache}</param-value>
                </init-param>
                <init-param>
                    <param-type>java.lang.String</param-type>
                    <param-value>{cache-name}</param-value>
                </init-param>
            </init-params>
        </class-scheme>
        <distributed-scheme>
            <scheme-name>replicated-underlying-scheme</scheme-name>
            <service-name>ReplicatedUnderlyingService</service-name>
            <backing-map-scheme>
                <local-scheme/>
            </backing-map-scheme>
        </distributed-scheme>
    </caching-schemes>
</cache-config>Any cache with a name prefixed by "Replicated", e.g. ReplicatedTest, would map to the cqc-scheme, which is our custom class scheme. This will create another distributed cache prefixed with "ReplicatedUnderlying", e.g. for the ReplicatedTest cache we would also get the ReplicatedUnderlyingTest cache.
Now, because the data will go into the distributed scheme we can do all the normal things with this cache that we can do with any distributed cache, e.g. we could add cache stores, listeners work properly, we know were entry processors will go, etc...
The com.thegridman.coherence.CQCReplicatedCache is our custom NamedCache implementation that is basically a CQC wrapper around the underlying cache.
The simplest form of this class is...
package com.thegridman.coherence;
import com.tangosol.net.NamedCache;
import com.tangosol.net.cache.ContinuousQueryCache;
import com.tangosol.net.cache.WrapperNamedCache;
import com.tangosol.util.filter.AlwaysFilter;
public class CQCReplicatedCache extends WrapperNamedCache {
    public CQCReplicatedCache(NamedCache underlying, String cacheName) {
        super(new ContinuousQueryCache(underlying, AlwaysFilter.INSTANCE), cacheName);
}Now in your application code you can still get caches just like normal, you code has no idea that the cache is really a wrapper around a CQC. So you can just do normal stuff like this in your code...
NamedCache cache = CacheFactory.getCache("ReplicatedTest");
cache.put("Key-1", "Value-1");This though still does not quite support per-entry expiry reliably. The way that expiry works in Coherence is that entries are only expired when another action happens on a cache, such as a get, put, size, entrySet and so on. The problem with the code above is that say you do this...
NamedCache cache = CacheFactory.getCache("ReplicatedTest");
cache.put("Key-1", "Value-1", 5000);
Thread.sleep(6000);
Object value = cache.get("Key-1");...you would expect to get back null, but you will still get back "Value-1". This is because the value will be from the CQC and not hit the underlying cache. To make everything work for eviction then for certain CQC operations we need to poke the underlying cache in our wrapper, so we change the CQCReplicatedCache class like this
package com.thegridman.coherence;
import com.tangosol.net.NamedCache;
import com.tangosol.net.cache.ContinuousQueryCache;
import com.tangosol.net.cache.WrapperNamedCache;
import com.tangosol.util.Filter;
import com.tangosol.util.filter.AlwaysFilter;
import java.util.Collection;
import java.util.Comparator;
import java.util.Map;
import java.util.Set;
public class CQCReplicatedCache extends WrapperNamedCache {
    private NamedCache underlying;
    public CQCReplicatedCache(NamedCache underlying, String cacheName) {
        super(new ContinuousQueryCache(underlying, AlwaysFilter.INSTANCE), cacheName);
        this.underlying = underlying;
    public NamedCache getUnderlying() {
        return underlying;
    @Override
    public Set entrySet(Filter filter) {
        underlying.size();
        return super.entrySet(filter);
    @Override
    public Set entrySet(Filter filter, Comparator comparator) {
        underlying.size();
        return super.entrySet(filter, comparator);
    @Override
    public Map getAll(Collection colKeys) {
        underlying.size();
        return super.getAll(colKeys);
    @Override
    public Object invoke(Object oKey, EntryProcessor agent) {
        underlying.size();
        return super.invoke(oKey, agent);
    @Override
    public Map invokeAll(Collection collKeys, EntryProcessor agent) {
        underlying.size();
        return super.invokeAll(collKeys, agent);
    @Override
    public Map invokeAll(Filter filter, EntryProcessor agent) {
        underlying.size();
        return super.invokeAll(filter, agent);
    @Override
    public Set keySet(Filter filter) {
        underlying.size();
        return super.keySet(filter);
    @Override
    public boolean containsValue(Object oValue) {
        underlying.size();
        return super.containsValue(oValue);
    @Override
    public Object get(Object oKey) {
        underlying.size();
        return super.get(oKey);
    @Override
    public boolean containsKey(Object oKey) {
        underlying.size();
        return super.containsKey(oKey);
    @Override
    public boolean isEmpty() {
        underlying.size();
        return super.isEmpty();
    @Override
    public int size() {
        return underlying.size();
}We have basically poked the underlying cache, by calling size() on it prior to doing any other operation that would not normally hit the underlying cache, so causing eviction to trigger. I think I have covered all the methods above but it should be obvious how to override any others I have missed.
If you now run this code
NamedCache cache = CacheFactory.getCache("ReplicatedTest");
cache.put("Key-1", "Value-1", 5000);
Thread.sleep(6000);
Object value = cache.get("Key-1");it should work as expected.
JK

Similar Messages

  • Error message when clicking on links from thunderbird: Firefox.exe – Entry Point Not found

    When I click on any link in a Thunderbird email message I get the error message:
    Firefox.exe – Entry Point Not found
    The procedure entry point ?DllBlocklist_Initialize@@YAXXZ could not be located in the dynamic link library T:\PQligP sFuvy (X86)\pJPpSox HneiCFv\GwCMqTQ.Oqt.
    I tried uninstalling Firefox 27 completely and reinstalling it, and the error is still there. When I uninstall V27 and install the older V26 the error disappears. Id there an issue with V27 trying to work with links from Thunderbird?
    I am on a laptop running Windows 8.1 with all current downloads.

    Thanks for the reply - as best as I can tell it seems to be some kind of incompatibility between Thunderbird V24.3.0 and Firefox V27. If I install Firefox V26 then everything works as it should. I haven't tried installing a previous version of Thunderbird to see if that makes a difference.

  • Error Entry does not exist in J_1BNFITMRULE (check entry) Nfe 10 Incomig

    Bom dia pessoal.
    Ao tentar executar um dos passos no cenário de compras normais, (Assign Purchase Order), o seguinte erro ocorreu
    Entry does not exist in J_1BNFITMRULE (check entry).
    Detalhe: Para o mesmo pedido ja havia sido efetuada 3 entradas via monitor sem qualquer erro.
    Qualquer ajuda será muito bem vinda.
    At
    Pedro L Nobrega
    Pessoal
    Ja descobri o que aconteceu, na categoria de nota fiscal, retiraram tipo de item da categoria que estava sendo utilizada.
    (Projeto global).... acontece.
    Para evitar este tipo de problema novamente criei uma categoria especifica para o Incoming. (Compras Normais.)
    Erro corrigido.
    Abs
    Pedro L Nobrega
    Edited by: Pedro Luiz Nobrega on Jan 25, 2012 3:56 PM

    Resolvido
    Criamos uma categoria especifica para nfe incoming (Compras Normais), para que não ocorra novamente o erro,
    a nota que estava sendo utilizada tinha na configuração tipo de item que foi retirado o gerou o erro.
    Grato
    Pedro L Nobrega

  • Captivate 4 AS2 Text Entry Box not working with Flash Player 11

    I am having issues with text entry boxes not working at all in flash 11. I am using Captivate 4 and exporting an AS2 swf. When you get to the slide you can type but you cannot see anything nor does the button or keystroke to move on. Also there is no cursor. Any ideas?

    You said it is not working with Flash 11, so does that mean you tested with previous version and that worked?
    While publishing choose Flash player as 9 and publish that, verify if that plays in a compatible web browser.
    AS 2 is a legacy scripting, it has been said not too be supported with even Flash Player 10 --
    http://help.adobe.com/en_US/AS2LCR/Flash_10.0/help.html?content=Part2_AS2_LangRef_1.html
    I believe if you switch back to version 9 while publish your project, it should work.
    Thanks,
    Anjaneai

  • Why is my itunes not installing properly? I installed it and it was fine, then it started to show Errors. iTunes exe - Entry Point not Found. And the Error 7 (Windows error 127).Itsays to reinstall iTunes. I did that and same error. new pc, same on old

    Why is my itunes not installing properly?
    I installed itunes day before yesterday,  I spent hours last night linking all my music photograph and movie files, its a new windows 8 laptop.
    I plugged in my 64GB ipad 3 rebooted it and reloaded all the information I wanted on it, took hours... finally completed this this morning. After this I restarted the laptop to configure my icloud link for the laptop (which I installed last night while I was loading files, I chose to restart later)
    on completion I turned my laptop off for a few hours, when I turned it back on I went to itunes to connect my iphone to do the same and I got this message:
    iTunes exe - Entry Point Not Found
    The procedure entry point
    AVCFPlayerAppliesMediaSelectionCriteriaAutomaticallyKey could not
    be located in dynamiclink library F:\Programmes\iTunes.dll
                                                                                               OK
    then after pressing 'OK' the following message:
    iTunes
    iTunes was not installed correctly. Please reinstall iTunes
    Error 7 (Windows error 127)
    I went back to apple website to reinstall iTunes, first reinstalled it same again, then unsinstalled it and the reinstalled it, same again.
    The same thing happened with my old lap top and I replaced it with this new one at the start of the week.
    Has anyone any idea what is going on and how to rectify this problem, I am now going on 3 weeks without iTunes.
    Regards,
    Damian36

    I started up and plugged in my iPad  and then the following message came up:
           iTunes
    ❗️This iPad cannot be used because the required software is not
        Installed. Run the iTunes installer to remove iTunes, then install
        the 64-bit version of iTunes.
                                                                                             OK
    I then proceeded to the "iTunes64Setup" expanded folder to load "AppleMobileDeviceSupport64"
    Started the install and then received this message:
          Apple Mobile Device Support
    ❗️Service 'AppleMobile Device' (Apple Mobile Device)
        failed to start. Verify that you have sufficient
        Privileges to start system services.
       Abort.               Retry.                Ignore
    I tried all tree options, last being ignore.
    I continued to download the other 2 you suggested with out any drama.
    I did a system restart and then opened iTunes.
    Connected my iPad
    Then message appears:
          iTunes .exe - System Error
    ❌ The program can't start because CoreAdioToolbox.dll is missing from
          Your computer. Try reinstalling the program to fix the problem.
                                                                                           OK
    Press OK and then the next message:
           iTunes
    ❌ iTunes was not installed correctly. Please reinstall iTunes.
          Error 7 (Windows error 126)
                                                                                           OK
    Any suggestions?

  • TDS reversal entry is not getting generated at time of F-54

    Dear All,
    I have made down payment request  through F-47  transaction code  and down  payment made by Transaction code u2013F110 (instead of F-48)   and TDS is deducted at this point. There after I made invoice through MIRO / F-43 in which TDS is again deducted for whole invoice amount. I have cleared down payment through T.code F-54. But at this time TDS reversal entry is not getting generated and only customer account is credited and debited.
    So in short TDS is getting deducted at time down payment and at time of Invoice for their respective full value.
    Note: For TDS type on payment I have selected u201CCentral Invoice PROPu201D and we are not using business place and section code. Please help me.
    Appreciate all expertsu2019 help ASAP.
    Thanks ,
    Manas kumar

    Hai Manas,
    If ur not using business place how can u get remitance chalana thats why first u can configure the business plance. I think ur already posted some entries its correct? In this case u will run this t.code business place update the previous entries i.e.,  J1INPP  this is very useful to u
    Regards
    Madhu I

  • Crystal Reports 2008-Vista-ERROR-crw32.exe Entry Point Not Found in dll

    Hi Experts,
    I just installed the Crystal Reports 2008 (with SP0) on my Vista (Home) machine.  When I try to start the CR 2008, I am getting the below error message:
    Error Title: crw32.exe - Entry Point Not Found
    Error Message: The procedure entry point ?PrintLegend@CMapXLegend@CSLib300@@QAEXJJJJJ@Z could not be located in the dynamic link library cslibu-3-0.dll
    Here are the things I tried to resolve the above problem:
    1) Uninstall and Reinstall the CR 2008.  -  No change.
    2) I configured the DEP to accept Crystal Reports (Performance - Advanced - DEP allow). 
    None of these seem fix the problem. 
    Can you please help me kick start the Crystal Reports 2008? 
    Thanks,
    Arun

    Please try with this:
    Run a command prompt as administrator. From the start menu, select "All Programs", then "Accessories" and right-click on the "Command Prompt" shortcut and choose "Run As Administrator". From here you can use the following command to disable Data Execution Prevention (DEP) with the following command:
    bcdedit.exe /set nx AlwaysOff
    Keeping your command prompt open, run your setup or other process being stopped by DEP. Then, to turn it back on again, do the same and run the following:
    bcdedit.exe /set nx AlwaysOn
    Regards,
    Shweta

  • Workflow Tasks NOT expiring!

    Hi guys,
    I've bumped lately with an issue building a workflow on SP2010, as you mostly already have figured out from the title, workflow tasks are NOT expiring.
    I've tried to take this on my own, but no more as I have to move on. Here's the details;
    -a custom workflow (attached to a custom list) that has start custom task as its first action.
    -due date for custom task is set in "select task process participants", Due Date for Task Process. and is set to run parallel (I have one participant for the task).
    -the custom task have only the "behavior of a single task" configured, all task workflow steps are there.
    When a Task is Pending fires well, and it ends with Pause for 2 minutes > then send email. then task due date reaches but
    When a Task Expires never kicks! tasks simply stays at status "Not Started"
    when I check the workflow history, it shows the last log "pausing completed", but I suspect the main issue is with the task processor, task isn't expiring and im not sure where to look.
    timer job service is working, I've checked timer jobs (workflow auto cleanup, workflow failover and bulk workflow task processing) and they're all running in timely fashion now.
    any thoughts?
    thanks
    If a reply helps you Vote As Helpful, if a reply solves your problem don't forget to Mark As Answer. Aabed Yassine.

    hi Victoria,
    running the above code in a PS1 file throws:
    The term 'http://portal.xx' is not recognized as the name of a cmdlet,
    function, script file, or operable program. Check the spelling of the name, or
    if a path was included, verify that the path is correct and try again.
    At C:\Users\spadmin\Desktop\Get-TimeZone.ps1:2 char:70
    + $site=new-object Microsoft.SharePoint.SPSite(portal.xx<<<< );
        + CategoryInfo          : ObjectNotFound: (portal.xx:String
       ) [], CommandNotFoundException
        + FullyQualifiedErrorId : CommandNotFoundException
    Get-SPServiceContext : Cannot bind argument to parameter 'Site' because it is n
    ull.
    At C:\Users\admin\Desktop\Get-TimeZone.ps1:3 char:39
    + $serviceContext = Get-SPServiceContext <<<<  $site;
        + CategoryInfo          : InvalidData: (:) [Get-SPServiceContext], Paramet
       erBindingValidationException
        + FullyQualifiedErrorId : ParameterArgumentValidationErrorNullNotAllowed,M
       icrosoft.SharePoint.PowerShell.SPCmdletGetServiceContext
    You cannot call a method on a null-valued expression.
    At C:\Users\admin\Desktop\Get-TimeZone.ps1:4 char:14
    + $site.Dispose <<<< ();
        + CategoryInfo          : InvalidOperation: (Dispose:String) [], RuntimeEx
       ception
        + FullyQualifiedErrorId : InvokeMethodOnNull
    New-Object : Exception calling ".ctor" with "0" argument(s): "Value cannot be n
    ull.
    Parameter name: serviceContext"
    At C:\Users\admin\Desktop\Get-TimeZone.ps1:5 char:18
    + $upm = new-object <<<<  Microsoft.Office.Server.UserProfiles.UserProfileManag
    er($serviceContext);
        + CategoryInfo          : InvalidOperation: (:) [New-Object], MethodInvoca
       tionException
        + FullyQualifiedErrorId : ConstructorInvokedThrowException,Microsoft.Power
       Shell.Commands.NewObjectCommand
    i'm not sure what are the variables in this code, I've change the site collection URL and domain\user. anything else I should edit?
    If a reply helps you Vote As Helpful, if a reply solves your problem Mark As Answer. Its made to make it helpful for others seeking help.

  • After upgrading to iOS 5, I lost my contacts, calendar entries, and Notes on my iPhone 3GS (3 years old). How do I retrieve them? My last backup/sync to iTunes acct was Sept 18 but yesterday's backup bombed due to lack of space on my C: drive.

    Yikes! After upgrading my iPhone 3GS to iOS 5, I lost my Contacts, calendar entries, and Notes (100+) on my iPhone (3 years old). How do I retrieve them? My last backup/sync to iTunes acct was Sept 18 but yesterday's backup bombed due to lack of space on my C: drive.

    This happened to me too but it was really all there.  Go to your calendar, click on calendar in the upper left hand corner, click on show all calendars, click done in the right upper corner.  Everything should show up!!!
    I was super thrilled.  Hope this works for you!!

  • ZBOL entry is not coming in BOL Entity

    Hi All,
    I have created 1 Z Component in SPRO-> Customer Relationship Management-> CRM Cross-Application Components-> Generic Interaction Layer/Object Layer-> Basic Settings. In the Object table and Model table i have created the entries for the Z BOL. I redefined the methods of the implementation class and tested the Component in genil_bol_browser, it is working fine.
    Now i have to link it to Web UI, so i am creating a new view in BSP Component, while creating new view, in Add Model Node step, in BOL Entity my Z BOL entry is not coming.
    How it will come over there in the BOL Entity list ?
    Thanks & Regards
    Raman.

    HI, ramana,
    see this link it will help to you.
    [http://wiki.sdn.sap.com/wiki/display/CRM/CreateaZBOLObjectPart1|http://wiki.sdn.sap.com/wiki/display/CRM/CreateaZBOLObjectPart1]
    Regards,
    sam.

  • I use floating time zone with all of my iCal entries.  But then the times of the entries do not print when printing month view.  Is there a fix for this?

    I use floating time zone with all of my iCal entries.  But then the times of the entries do not print when printing month view.  Is there a fix for this?

    Sorry to have repeated this question as if I were answering it.  Just a mistake.  I'm just now learning how to use this site.

  • Cycle Count Entries Form not showing specific employee name in "Counted By" LOV List

    Cycle Count Entries Form not showing specific employee name in "Counted By" LOV List.But the Employee is active . Is there any setup for this activity?

    Hi,
    This is because the query is excluding the current site you are trying to modify since it is actually in the report.
    You can include in your query:
    or site_id = :Pxx_SITE_ID
    Where Pxx_SITE_ID is the item holding the site_id value and xx is your page number.
    Thank you,
    Erick

  • When I connect my new ipod nano to my laptop (using windows)I get an error message saying "itunes.exe - entry point not found" I cannot access my itunes , or download a new version. Any ideas what to do or what is causing this?

    I have been given a new ipod nano to replace my much loved but old ipod. When I plug it into my laptop to sync it I get an error message stating "itunes.exe - entry point not found. The procedure entry point AVCFAAssetCreateWithByteStreanAndOptions could not be located in the dynamic link library
    AVFoundationCF.dll" I cannot acces my itunes or download a new versiona as this keeps flashing up. Any ideas? Please help, my life is meaningless without my music!!

    Also I now can`t access any of my itunes library and am concerned that if I remove it from my computer I will lose everything as I have no option of accessing and therefore backing anything up. Any ideas?

  • I see a AppleSyncNotifier.exe - Entry Point Not Found error when my PC starts.

    when booting up my computer, even before I try to bring up itunes, I get the following error message:
    AppleSyncNotifier.exe - Entry Point Not Found
    the procedure entry point ___cfconstantstringclassreference could not be located in the dynamic link library core foundation.dll
    But once I click off the message, everything seems to work fine.
    how can I correct this problem?
    2 IPod 5.1.1
    1 IPad 2 wifi
    Windows Vista 32

    Try here >  http://www.pchelpforum.com/xf/threads/applesyncnotifier-exe-entry-point-not-foun d.124298/

  • TNS Listener: Entry Point Not Found

    First I installed 8.1.6 Personal edition
    on my laptop (NT4 SP5):
    Folder: d:\orant.
    Oracle Home: DEFAULT_HOME
    That went fine. I could connect to the database with SQLPLUS, DBA etc.
    Then I tried to install Portal using:
    Folder: d:\9iAS
    Oracle Home: iSuites
    Spent three days trying to get Portal to install ok. Have finally got through the installation of 9iAS (HTTP Server Only), which the Universal Installer claims to be successfull.
    Started the Apache Server and tried to connect to the portal. I get the following error message:
    Proxy log On failed.
    Please verify that you have specified correct connectivity information i.e.username, password & connect-string in the Database Access Descriptor
    Error-Code:12154
    Error TimeStamp:Tue, 23 Jan 2001 23:20:00 GMT
    Database Log In Failed
    TNS could not resolve service name
    Verify that the TNS name in the connectstring entry of the DAD for this URL is valid.
    I can access the admin page:
    http://<machine>:80/pls/admin_/
    To debug this I tried to connect to the database with SQLPLUS and I got this error message:
    I:\>sqlplus
    SQL*Plus: Release 8.1.7.0.0 - Production on Tue Jan 23 16:08:58 2001
    (c) Copyright 2000 Oracle Corporation. All rights reserved.
    Enter user-name: system
    Enter password:
    ERROR:
    ORA-12560: TNS:protocol adapter error
    Enter user-name:
    Checked my Services and found that the TNS listener was not started. When I try to start the OracleDEFAULT_HOMETNSListener in my Services I get the following error message:
    TNSLSNR.exe - Entry Point Not Found
    The procedure entry point snlpcgtsrvbynm could not be located in the dynamic link library oranl8.dll.
    I have tried swicthing my primary Oracle Home using the Home Selector. Did not help.
    Shouldn't the TNS listener be started, or?
    Any ideas what to check?

    I have found the solution of my problem from Oracle9i Portal's Configuration Guide , the troubleshooting part. The document can be found in the Oralce9i Documentation web site.
    The problem is that I set the incorrect information in my tnsnames.ora file when installing Oracle9i Portal.
    The solution is set the host name, port number and SID in the tnsnames.ora file. This file is located at
    \Oracle_Home\network\admin\
    Here is the example of the content in that file:
    PORTALDB_MyHost =
    (DESCRIPTION =
    (ADDRESS_LIST =
    (ADDRESS = (PROTOCOL = TCP)(HOST = MyHost)(PORT = 1521))
    (CONNECT_DATA = (SID = PortalDB)(SERVER = DEDICATED))
    INST1_HTTP =
    (DESCRIPTION =
    (ADDRESS_LIST =
    (ADDRESS = (PROTOCOL = TCP)(HOST = MyHost)(PORT = 1521))
    (CONNECT_DATA = (SERVER = SHARED)(SERVICE_NAME = PortalDB)(PRESENTATION = http://admin))
    EXTPROC_CONNECTION_DATA =
    (DESCRIPTION =
    (ADDRESS_LIST =
    (ADDRESS = (PROTOCOL = IPC)(KEY = EXTPROC0))
    (CONNECT_DATA = (SID = PLSExtProc)(PRESENTATION = RO))
    ---------------------------------------------

Maybe you are looking for

  • What is the best way to import and edit a large amount of footage?

    Hello Apple world, As a newbie to Final Cut 10 I have a question regarding best ways to import footage. I'll give you a quick run down. I have a 150 gig of gopro footage that I just hit 'import' to recently (from my external HD), it took around 10 ho

  • Error while OSB Building on UNIX Machine

    Hi All, I am building OSB Projects on OSB Server on UNIX Machine using ant scripts. The script runs properly on Windows. OSB Version being used is 11.1.1.4. I am getting the following error while creating sbconfig.jar: !SESSION 2011-09-05 11:26:40.42

  • What's wrong with the ThresholdPeakDetector function in Meas. Studio v6.0

    The function doesn't seem to return any values, regardless of the input array or the threshold vaule (even 0 gets no results)

  • Problem with interface - when send the data for PA0002

    Hi Gurus,     I am interfacing employees data from one system to another system  with all the PA infotypes. we are using the fuction module " HR_MAINTAIN_MASTERDATA " to upload the master data. Here the problem is, when we send the data - in destinat

  • How can I request an enhancement to Thunderbird?

    I'd like to see a capability in Thunderbird that would allow user to switch on/off (ie an over-ride of current system setting) "saving a copy" at an individual e-mail level at time of creation/send of the e-mail. For example, my personal default sett