Two http ports - one in 8080 and the other one in 3034 - How to remove 8080

Hi!
I have two http ports - one in 8080 and the other one in 3034 - How to remove 8080.
Listening Endpoints Summary...
(DESCRIPTION=(ADDRESS=(PROTOCOL=tcp)(HOST=<ip address>)(PORT=<port number>)))
(DESCRIPTION=(ADDRESS=(PROTOCOL=tcp)(HOST=<hotname>)(PORT=3034))(Presentation=HTTP)(Session=RAW))
(DESCRIPTION=(ADDRESS=(PROTOCOL=tcp)(HOST=<hotname>)(PORT=2102))(Presentation=FTP)(Session=RAW))
(DESCRIPTION=(ADDRESS=(PROTOCOL=tcp)(HOST=<hotname>)(PORT=8080))(Presentation=HTTP)(Session=RAW))
Services Summary...

You get check which is the current dedicated HTTP port by using DBMS_XDB.getHTTPPort(). There can be only HTTP port active per database (not taken into account the HTTPs one). If two or more exists than there is still a process claiming that port (in this case 8080). It will be cleaned up after one or more processes are not claiming that port again. New connections will be redirected to the new port.

Similar Messages

  • 2 Photo Stream Folders on iPhone - Why do I have 2 photo stream folders on my iPhone? One is accurate and the other is empty. How do I delete the empty one? The empty folder doesn't allow my photos to be synced with my ipad2.

    I tried disabling the iCloud on my iPhone and ipad2 and re-enabling in hopes elimnating the extra empty folder on my iphone.  Despite disabling the iCloud on my iPhone, the empty Photo Stream folder remained on my iPhone and the other Photo Stream folder with my pictures was removed.  I think because of this empty folder, my iPad isn't being prayed with my photos. Any ideas? Has this happened to anyone else?

    You can uncheck multiple songs by selecting all the songs you want to uncheck, then right-click and choose "uncheck selection".  Also, make sure that you have checked "Sync only checked songs and videos" on the Summary tab of your iTunes sync settings or the sync process will ignore your selections.
    You can remove all the photos from your camera roll using Preview on your Mac.  Connect your phone to your Mac, open Preview, go to File>Import from iPhone.  When your photos appear in Preview, select the photos you want to delete, then click on the icon at the bottom showing the red circle with the diagonal line through it (see image below), then click Delete.
    To remove photos from the Photo Stream album on your phone you'll have to either reset Photo Stream (deleting all the photos from iCloud) or turn off Photo Stream on your phone.

  • Can someone explain why one code works and the other one doesn't?

    Hi,
    I have been doing a little work with XML today and I wrote the following code which did not function properly. In short, it was as if there were elements in the NodeList that disappeared after the initial call to NodeList.getElementsByTagName("span"); The code completely drops through the for loop when I make a call to getTextContent, even though it is not a controlling variable and it does not throw an exception! I'm befuddled. The second portion of code works. For what it is worth, tidy is the HTML cleaner that's been ported to java (JTidy) and parseDOM(InputStream, OutputStream) is supposed to return a Document, which it does! So why I have to call a DocumentBuilderFactory and then get a DocumentBuilder is beyond me. If I don't call Node.getTextContent() the list is processed properly and calls to toString() indicate that the class nodes are in the list! Any help would be appreciated!
    import com.boeing.ict.pdemo.io.NullOutputStream;
    import java.io.File;
    import java.io.FileInputStream;
    import java.io.IOException;
    import java.io.InputStream;
    import java.io.PrintWriter;
    import java.util.Properties;
    import org.w3c.dom.Document;
    import org.w3c.dom.NodeList;
    import org.w3c.tidy.Tidy;
    public class HTMLDocumentProcessor {
        // class fields
        private Properties tidyProperties   = null;
        private final String tidyConfigFile =
                "com/boeing/ict/pdemo/resources/TidyConfiguration.properties";
         * Creates a new instance of HTMLDocumentProcessor
        public HTMLDocumentProcessor() {
            initComponents();
        private void initComponents() {
            try {
                tidyProperties = new Properties();
                tidyProperties.load(ClassLoader.getSystemResourceAsStream(tidyConfigFile));
            } catch (IOException ignore) {
        public Document cleanPage(InputStream docStream) throws IOException {
            Document doc = null;
            NullOutputStream nos = new NullOutputStream(); // A NullOutputStream is
                                                           // is used to keep all the
                                                           // error output from printing
            // check to see if we were successful at loading properties
            if (tidyProperties.isEmpty()) {
                System.err.println("Unable to load configuration file for Tidy");
                System.err.println("Proceeding with default configuration");
            Tidy tidy = new Tidy();
            // set some local, non-destructive settings
            tidy.setQuiet(true);
            tidy.setErrout(new PrintWriter(nos));
            tidy.setConfigurationFromProps(tidyProperties);
            doc = tidy.parseDOM(docStream, nos);
            // assuming everything has gone ok, we return the root element
            return doc;
        public static void main(String[] args) {
            try {
                String fileName = "C:/tmp/metars-search.htm";
                File htmlFile = new File(fileName);
                if (!htmlFile.exists()) {
                    System.err.println("File : " + fileName + " does not exist for reading");
                    System.exit(0);
                FileInputStream fis = new FileInputStream(htmlFile);
                HTMLDocumentProcessor processor = new HTMLDocumentProcessor();
                Document doc = processor.cleanPage(fis);
                if (doc == null) {
                   System.out.println("cleanPage(InputStream) returned null Document");
                   System.exit(0);
                NodeList spanTags = doc.getElementsByTagName("span");
                int numSpanTags = spanTags.getLength();
                System.out.println("Number of <span> tags = " + numSpanTags);
                for (int i = 0; i < numSpanTags; i++) { // Loop falls through here!
                    System.out.println("Span tag (" + i + ") = " +
                                        spanTags.item(i).getTextContent());
            } catch (Exception e) {
                e.printStackTrace();
            } finally {
                System.exit(0);
    }This segment of code works!
    import com.boeing.ict.pdemo.io.NullOutputStream;
    import java.io.ByteArrayInputStream;
    import java.io.ByteArrayOutputStream;
    import java.io.File;
    import java.io.FileInputStream;
    import java.io.IOException;
    import java.io.InputStream;
    import java.io.PrintWriter;
    import java.util.Properties;
    import javax.xml.parsers.DocumentBuilder;
    import javax.xml.parsers.DocumentBuilderFactory;
    import javax.xml.parsers.ParserConfigurationException;
    import org.w3c.dom.Document;
    import org.w3c.dom.NodeList;
    import org.w3c.tidy.Tidy;
    import org.xml.sax.SAXException;
    * Class designed to remove specific notam entries from the
    * HTML document returned in a request. The document will contain
    * either formatted (HTML with CSS) or raw (HTML, pre tags). The
    * Formatted HTML will extract the paragraph body information from the
    * document in it's formatted state. The raw format will extract data
    * as simple lines of text.
    * @author John M. Resler (Capt. USAF, Ret.)<br/>
    * Class : NotamExtractor<br/>
    * Compiler : Sun J2SE version 1.5.0_06<br/>
    * Date : June 15, 2006<br/>
    * Time : 11:05 AM<br/>
    public class HTMLDocumentProcessor {
        // class fields
        private Properties tidyProperties   = null;
        private final String tidyConfigFile =
                "com/boeing/ict/pdemo/resources/TidyConfiguration.properties";
         * Creates a new instance of HTMLDocumentProcessor
        public HTMLDocumentProcessor() {
            initComponents();
        private void initComponents() {
            try {
                tidyProperties = new Properties();
                tidyProperties.load(ClassLoader.getSystemResourceAsStream(tidyConfigFile));
            } catch (IOException ignore) {
        public Document cleanPage(InputStream docStream) throws IOException {
            Document doc = null;
            NullOutputStream nos = new NullOutputStream(); // A NullOutputStream is
                                                           // is used to keep all the
                                                           // error output from printing
            ByteArrayOutputStream bos = new ByteArrayOutputStream();
            // check to see if we were successful at loading properties
            if (tidyProperties.isEmpty()) {
                System.err.println("Unable to load configuration file for Tidy");
                System.err.println("Proceeding with default configuration");
            Tidy tidy = new Tidy();
            // set some local, non-destructive settings
            tidy.setQuiet(true);
            tidy.setErrout(new PrintWriter(nos));
            tidy.setConfigurationFromProps(tidyProperties);
            doc = tidy.parseDOM(docStream, bos);
            DocumentBuilderFactory docFactory = DocumentBuilderFactory.newInstance();
            DocumentBuilder docBuilder = null;
            try {
                docBuilder = docFactory.newDocumentBuilder();
            } catch (ParserConfigurationException ex) {
                ex.printStackTrace();
            try {
                doc = docBuilder.parse(new ByteArrayInputStream(bos.toByteArray()));
            } catch (IOException ex) {
                ex.printStackTrace();
            } catch (SAXException ex) {
                ex.printStackTrace();
            // assuming everything has gone ok, we return the root element
            return doc;
        public static void main(String[] args) {
            try {
                String fileName = "C:/tmp/metars-search.htm";
                File htmlFile = new File(fileName);
                if (!htmlFile.exists()) {
                    System.err.println("File : " + fileName + " does not exist for reading");
                    System.exit(0);
                FileInputStream fis = new FileInputStream(htmlFile);
                HTMLDocumentProcessor processor = new HTMLDocumentProcessor();
                Document doc = processor.cleanPage(fis);
                if (doc == null) {
                   System.out.println("cleanPage(InputStream) returned null Document");
                   System.exit(0);
                NodeList spanTags = doc.getElementsByTagName("span");
                int numSpanTags = spanTags.getLength();
                for (int i = 0; i < numSpanTags; i++ ) {
                    System.out.println(spanTags.item(i).getTextContent().trim());
            } catch (Exception e) {
                e.printStackTrace();
            } finally {
                System.exit(0);
    }

    Thank you Dr but the following is true:
    I placed this code in the for loop before I posted the question :
    for (int i = 0; i < numSpanTags; i++) { // Loop falls through here!
          System.out.println("Span tag (" + i + ") = " + spanTags.item(i));
    }And I receive 29 (The correct number) of non-null references to objects (Node objects) in the NodeList.
    When I replace the exact same for loop with this code :
    for (int i = 0; i < numSpanTags; i++) { // Loop falls through here!
          System.out.println("Span tag (" + i + ") = " + spanTags.item(i).getTextContent());
    }Nothing prints. This discussion has never been about "clever means to suppress exceptions" it has been precisely about why a loop that has the
    exact same references, exact same indices prints one time and doesn't print the other and does not throw an exception. If you can answer
    that question then I am interested. I am not interested in pursuing avenues that are incorrect, not understood and most importantly shot from the hip without much thought.

  • Can I use two Time Capsules? one as an extension of my laptop (for music and video storage) and the other one to back up everything from the laptop and  Time Capsule (for music and videos)

    Can I use two Time Capsules? one as an extension of my laptop (for music and video storage) and the other one to back up everything from the laptop and  Time Capsule (for music and videos)

    Not via Time Machine.   It cannot back up from a network location.
    The 3rd-party apps CarbonCopyCloner and ChronoSync may be workable alternatives.
    EDIT:  And, if you're going to do that, you could back up from the Time Capsule to a USB drive connected to the TC's USB port.  Second TC not required.
    Message was edited by: Pondini

  • How can I align two different text row in the same table in two different way (one centered and the other one on the left)?

    Hi,
    I want to center two different text row that are in the same table but one on the center and the other one on the left. I put a <span> tag hoping that it has been overwhelmed the table's class properties The .bottomsel's font-family and the .Cig84's font-family and colour work but the text-align don't: they're both on the left.
    These are my source and CSS codes:
    Source:
    <table width="600" border="0">
      <tr>
        <td class="bottomref"><p><span class="bottomsel">| <a href="index.html" target="_self">Main</a> | <a href="about.html" target="_self">About</a> | <a href="clients.html" target="_self">Clients</a> | <a href="contact.html" target="_self">Contact</a> |</span><br />
          <span class="credits">Credits: <span class="Cig84">Cig84</span></span></p></td>
      </tr>
    </table>
    CSS:
    .bottomsel {
      text-align: center;
      font-family: Georgia, "Times New Roman", Times, serif;
    .credits {
      text-align: left;
    .Cig84 {
      color: #F00;
      font-family: "Comic Sans MS", cursive;

    Use paragraph tags with CSS classes.
    CSS:
         .center {text-align:center}
         .left {text-align:left}
    HTML:
    <table width="600" border="0">
      <tr>
        <td class="bottomref">
              <p class="center">This text is center aligned</p>
              <p class="left">This text is left aligned</p>
        </td>
      </tr>
    </table>
    Nancy O.

  • I have two macs in my house.  One is newer and came with the os x mountain lion software and the other one needs to be upgraded.  I was wondering if there is a way to take upgrade from one to the other?  Should not have to buy this software again.

    I have two macs in my house.  One is newer and came with the os x mountain lion software and the other one needs to be upgraded.  I was wondering if there is a way to take upgrade from one to the other?  Should not have to buy this software again.

    Welcome to Apple Support Communities
    Buy it for the other computer. Mountain Lion is preinstalled on the new Mac, but you can only use it in the new one

  • If I have two laptops connected to a single wireless hard drive, what happens when one laptop wants to go on a trip and the other one needs to stay home?

    if I have two laptops connected to a single wireless hard drive (i.e. Time Capsule), what happens when one laptop wants to go on a trip and the other one needs to stay home?  I'm afraid I know the answer, but I'm hoping Apple has a great solution to my problem.

    What if this little piggy goes to market but this little piggy stays home?
    The computer on a trip will do snapshot backups on the hard drive that will then be incorporated into the Time Machine backup once you get it back home. See
    OS X Lion- About Time Machine's "local snapshots" on portable Macs
    Open the Terminal in the Utilities folder and enter or paste the appropriate command line. Press RETURN and enter your admin password when prompted. It will not be echoed.
    To turn them ON: sudo tmutil enablelocal
    To turn them OFF: sudo tmutil disablelocal
    Note that turning them OFF will also delete all existing snapshots.

  • My iphone5 has been hacked, so every message I get in Outlook is addressed to a Fatima Quedas, who is on my list of contacts and has two email addresses, one on gmail and the other my own.  I deleted the contact.  What else should I do?

    My iphone5 has been hacked, so every message I get in Outlook is addressed to a Fatima Quedas, who is on my list of contacts and has two email addresses, one on gmail and the other my own.  I deleted the contact.  What else should I do?

    change your email passwords.

  • I have duplicate pictures in "my catalog" that I believe come from two Adobe folders found under "my pictures/adobe/ one is Revel and the other is Photoshop express which preceded revel. Can I delete those two folder without causing a problem with my cata

    I have duplicate pictures in "my catalog" that I believe come from two Adobe folders found under "my pictures/adobe/ one is Revel and the other is Photoshop express which preceded revel. Can I delete those two folder without causing a problem with my catalog?

    Thanks for the links, Limnos.
    If you are willing to continue helping, here's what I found.
    Just to clarify the two iTunes folders I am refering to are:
    username-->Music-->iTunes
    HD-->iTunes
    I am presuming each location has a full set of files as outlined in the above links?
    Not all the files are in both locations. Most are.
    - The Itunes folder in my home folder does not have itunes library.xml.
    - The Itunes folder in my home folder has a subfolder called Mobile Applications (username-->Music-->iTunes--> Mobile application). The Itunes folder at the HD level also has a Mobile Application folder but it is a subfolder of Itunes Media folder (HD-->iTunes--> iTunes Media-->Mobile applications) and has no files in it.
    - I do not have an iTunes Media in the iTunes folder in my home folder.
    - also the Itunes media folder (HD-->iTunes--> iTunes Media) has subfolders by type (books, movies, itunes u, music etc...) but the iTunes Media-->Music also has some of the same subfolders ( iTunes Media-->Music-->books, iTunes Media-->Music-->Movies, iTunes Media-->Music-->iTunes U). Is this normal repetition?
    You say:
    /itunes/itunes media/ music
    but it is important to note what comes before all that.
    There is nothing as far as I can tell before that first forward slash. Since the only iTunes Media folder I have is in the iTunes folder that resides at the HD level (HD-->iTunes--> iTunes Media folder) not the iTunes folder in my home folder (username-->Music-->iTunes) , I assume that's the one that holds the music.
    Keep iTunes media folder organized and Copy files to iTunes Media folder when adding to library are both checked on
    Does that give more clarity into my problem?

  • Hi I am hoping to add my 2 TB time capsule to my existing wireless network using cisco dpq 3925 modem. I have two mbp one running Yosemite and the other os 10.7.5

    I have a time capsule 2TB model 1409. I would like to connect it to my existing wireless network (using a cisco DPQ 3925 modem). I have two mac book pro one running Yosemite and the other OS 10.7.5. The best I can do is to connect the TC to the Modem via ethernet. Have one of my MBP connect to the time capsule using a ethernet cable and have the TB set to bridge mode. In this configuration, both mbp and the iPad can detect the TC but when I try to connect it to the wireless network, using the same network name and password, the light flashes amber and I cannot detect the time capsule again.

    Correct..
    The best I can do is to connect the TC to the Modem via ethernet.
    The TC does not connect to non-apple routers by wireless.. well. It is possible but so poor a method that Apple seem to have eliminated it in the setup wizard.. I would take that as a good thing..
    If you cannot use ethernet you have two choices..
    Use another apple router that is plugged into the Cable modem.. eg a second hand Extreme Gen5 or the latest Express.. the Extreme is both cheaper and better.
    Or you can use a set of EOP (homeplug) adapters.. but they cannot be guaranteed to work so you should buy from a place that allows returns.

  • HT1583 When I render my project in IDVD, video and audio runs properly, but when I burn it in professional quality and burning is finished there was no audio on the last two chapters, one audio is attached to the clip and the other one is from itunes, pls

    Hi, please help me When I render my project in IDVD, video and audio runs properly, but when I burn it in professional quality and burning is finished there was no audio on the last two chapters, one audio is attached to the clip and the other one is from itunes, pls help

    Hi
    My first two thoughts
    • Shared to Media Browser - BUT as Large or HD - try Medium !
    • audio from iTunes - use to go silent
    - in iTunes
    - Create a new PlayList with needed audio
    - BURN this as a standard Audio-CD (.aiff) - NOT .mp3
    - use the files on this CD in Your Movie project - I ALWAYS DO - and only use .aiff ever - never .mp3'
    My notes on this:
    No audio on DVD disc.
    Most common origin. 
    1. Imported audio from iTunes.
    • In iTunes copy out as an Audio-CD .aiff (Same as played on standard Stereo CD - no .mp3)
    • Use this in Your movie project
    2. Low - Free Space on Start-up/Boot/Internal/Mac OS Hard disk makes it hard for iMovie to work as intended.
    Down to 1.3 GB and it doesn’t work - especially audio don’t migrate over to Media Browser
    (iM’08 & 09)
    3. Material in iMovie’08 & 09 - Shared to Media Browser and here selected as Large
    large.m4v. It silenced out this project in iDVD. By making a slight alteration - provoking it to ask for a new Share/Publish to Media Browser and here selecting 640x480 - and audio was back when a new iDVD project was created including this movie.
    Minuscular - - 176x144
    Mobile - - - - - 480x360
    Medium - - - - 640x480
    Large - - - - - - 720x540    960x540
    HD - - - - - - - - 1280x720
    4. Strange audio formats like .mp3, .avi etc.
    • Change them to .aiff. Use an audio editor like Audacity (free)
    5. Main audio is set to off in System Preferences - Does this by it self - Don’t know why
    Cheque Audio-Out resp. Audio-In
    6. Ed Hanna
    Had the same problem; some Googling around gave me a kludgy, but effective fix
    Downgrade Perian from recent versions back to version 1.0.
    That worked for me, and so far I haven't encountered any deficiencies — except it takes more advanced versions of Perian to enable QuickTime to handle subtitles in .srt format — that I have noticed.
    7. GarageBand fix.
    In this set audio to 44.1 kHz (Klaus1 suggestion)
    (if this don’t work try 48 kHz - me guessing)
    Before burning the DVD.
    • Do a DiskImage (File menu and down)
    • Double click on the .img file
    • Test it with Apple DVD-player
    If it’s OK then make Your DVD.
    Burn at x1 speed.... (or x4)
    • In iDVD 08 - or - 09
    • Burn from DiskImage with Apple’s Disk Utilities application
    • OR burn with Roxio Toast™ if You got it
    Yours Bengt W

  • I am new to apple products and have just received notice that 2 updates are available.  one for garageband and the other for iPhoto.  it is my understanding that updates are free. why is credit card info requested for these two updates?  help appreciated

    i am new to apple products and have just received notice that 2 updates are available.  one for garageband and the other for iPhoto.  it is my understanding that updates are free. why is credit card info requested for these two updates?  help is appreciated.  thanks, lloyd.

    Have you gone through the process of accepting the iLife apps into your iTunes/Mac App Store account before updating the apps?

  • Can I have two yahoo mail accounts on my iPad but only have one account push and the other fetch or manuel?

    I have two yahoo email accounts but I want my main one to push email and the other one to be manuel or even fetch, is this doable? 

    You don't know what push means.
    Push means new messages received at the incoming mail server are pushed out by the incoming mail server without the email client being used to access the account having to check the account automatically or manually which is called fetch. An account can be checked automatically without having to open the Mail app which is not push.
    Manual with the Mail app on an iOS device is not the same as manual with an email client on your computer.
    If you launch the Mail app, all email accounts will be checked for new messages even when manual is selected for an account. If manual is selected for an account, it should not be checked for new messages until to launch the Mail app.

  • Two laptops - one will connect to the internet and the other one will not

    I have two home laptops.  Both show as connected to my network with full signal.  However, when you attempt to open the internet, one laptop will not open and the other one will.  I have tried connecting with just the cord from the router to the laptop and it doesn't work; I have tried looking up the IP address and one laptop address is different from the other - I don't know if this should be this way or not; I have tried doing the start, run, cmd, ipconfig, and I got 4 replies, but when I typed in ping space yahoo.com, I did not get the replies on the computer that will not go on the internet, but did get the replies on the other laptop.  I don't know what else to do - please give me some ideas.

    Make sure the IP address is set to DHCP, and browser is not configured for any proxy server.

  • When I open my itunes it shows me two sides one is iTunesU and the other side is Podcasts and I can't connect with iTunes.How can I fix it

    When I open my itunes it shows me two sides one is iTunesU and the other side is Podcasts and I can't connect with iTunes.How can I fix it?

    Hi emzigal,
    Thank you for using Apple Support Communities. 
    Take a look at the following article to make sure that you are not missing any steps necessary for downloading past purchases. 
    Download past purchases - Apple Support
    Cheers,
    Jeff D. 

Maybe you are looking for

  • How to get the Inventory Organization Id in the page

    Hi, I am creating a custom OAF page in Inventory responsibility. I have to pass some parameters to execute a query in the page level. So, I require the Inventory Organization Id i(not org_id or operating unit )n the controller. I have tried the pageC

  • Replace a component by another in a Frame

    Hi all! I've a frame with several component (panels, buttons...) set with a gridbaglayout. I would like to know if i could replace a component by another. For instance. Frame f = new Frame(); button b1 = new button("b1"); panel p = new panel().... f.

  • Display problems in nokia c6

    I have nokia mobile not 2 weeks old when the phone produced unexplained vibration for 3-5 seconds when I was using the wireless internet then it shut down latter when I turned  it on  again the Display started to show colored lines  then it would tur

  • Loadjava returns exit code of 11. Undocumented?

    When I do "make all" on the demo/examples/jsp/helloworld example the compiler runs fine but I get the following error from the loadjava script. javac -classpath .:/usr/jdk_base/lib/classes.zip Hello.java loadjava -thin -oci8 -resolve -verbose -user s

  • No font options in the toolbar when composing a new message? Why not?

    Don't get me wrong my fellow Mac-brothers - I love the Mail.app especially in Leopard. But I'm curious about something and I'm tired of scratching my head because I have no hair left and my head is starting to hurt, hehe. When composing a new email,