DHCP on 'hybrid' network - how to point clients to specific DHCP server

Moving computers off of a private 'hybrid' network to a different private network.
ISSUE: The clents will boot and ask for an IP from DHCP, problem is the 'hybrid' network runs a DHCP server with address range of 192.99.x.x  whereas the DHCP server we need to hit is on the 10.2.xx address range.  Is there a simple method to point
clients to a specific DHCP server? 
Note: I have requested Network Srvcs to block UDP traffice on ports 67 and 68 for the address range of the 'hybrid' network.
Users still need access to the hybrid.
Please advise,
Many Thanks in advance

DHCP is rather a simple minded service. The client broadcasts out and the first guy responds. If you ahve two DHCP servers on the same subnet or wire, even if they have different IP addresses on that subnet, and they both have scopes corresponding to
the IP address of their interface on that subnet/wire, then they will offer DHCP services. DHCP won't give out an IP on an interface that the scope doesn't match the subnet.
For example, if I have a DHCP server with an IP of 10.200.1.200/24, and a scope of 10.200.1.100-150/24, then it will give out IPs on that interface. However, if that same DHCP server has an interface configured with 192.168.20.150, then DHCP will not give
out IPs on an interface configured with 10.200.1.100, unless there is a Relay Agent or IP Helper from the router or switch VLAN that is connected to that subnet. You can test this out yourself.
A separate VLAN for each subnet solves the problem because you are separating the two servers to hostg DHCP on their own, respective subnets.
Ace Fekay
MVP, MCT, MCSE 2012, MCITP EA & MCTS Windows 2008/R2, Exchange 2013, 2010 EA & 2007, MCSE & MCSA 2003/2000, MCSA Messaging 2003
Microsoft Certified Trainer
Microsoft MVP - Directory Services
Complete List of Technical Blogs: http://www.delawarecountycomputerconsulting.com/technicalblogs.php
This posting is provided AS-IS with no warranties or guarantees and confers no rights.

Similar Messages

  • RMI How can a Client reconnect to a server after connection(any)-error

    I have the following problem:
    My RMI-Server runs for ever. In a batch-queue I have a procedure which looks periodly wether rmiregistry
    and RMI-Server exists. On error both processes are killed and restarted.
    My client as a simple example is displaying the server time. If any communication-problem with the
    server exists, I need an automatic reconnect to the server. I accept that into the time distanz of the
    error the display is frozen. Its unacceptable to restart the client !!.
    The following example demonstates my test-example:
    Server:
    1. Start
    2. waits for connecting (factory)
    3. answer time-requests
    Client:
    1. Start
    2. create a time class initially 1.jan.1970 00:00:00
    3. Start a timer displaying the time class every second
    4. start a timer connecting/reconnecting to the server and ask the servers actual time every second
    PS. Is the server to stubil programmed, so that a hang can exists?
    It would be nice, if anybody could answer me !!
    The following sources work correctly without solving the problem of the reconnect:
    ////////////// Echo.java
    package emi.server;
    import java.rmi.*;
    import java.util.*;
    public interface Echo
    extends Remote
    public Date getTime() throws RemoteException;
    ////////////// EchoClient.java
    package emi.server;
    //import emi.utility.basics.*;
    public class EchoClient
    public static void main(String args[]) throws Exception
    EchoClient echoclient1 = new EchoClient();
    //Check the argument count
    if (args.length != 1)
    System.err.println("Usage: EchoClient <server> --> EXIT");
    System.exit(0);
    // all of time relevant things
    Etim acttim = new Etim();
    // displaying continous the time
    EchoClientDisplay disp = new EchoClientDisplay(acttim);
    disp.StartTimer();
    // transfering continous the time from the server
    EchoClientTransfer trans = new EchoClientTransfer(acttim, args[0]);
    trans.StartTimer();
    ////////////// EchoClientDisplay.java
    package emi.server;
    import java.awt.event.*;
    import javax.swing.*;
    // displaying every 750 Milliseconds the value of the time
    public class EchoClientDisplay implements ActionListener
    private Timer tim;
    private Etim tact;
    public EchoClientDisplay(Etim tact)
    tim = new Timer(750, this);
    this.tact = tact;
    public void StartTimer()
    tim.setRepeats(true);
    tim.setInitialDelay(5);
    tim.start();
    public void actionPerformed(ActionEvent e )
    System.out.println(tact.toString());
    ////////////// EchoClientTransfer.java
    package emi.server;
    import java.rmi.Naming;
    import java.rmi.RMISecurityManager;
    import java.awt.event.*;
    import javax.swing.Timer;
    import java.util.Date;
    // transferring the actual time from the server
    public class EchoClientTransfer implements ActionListener
    private Etim tact;
    private String hostname;
    private Timer tim;
    private boolean init = false;
    private Echo echoRef1 = null;
    public EchoClientTransfer(Etim tact, String hostname)
    this.tact = tact;
    this.hostname = hostname;
    this.tim = new Timer(500, this);
    public void StartTimer()
    tim.setRepeats(true);
    tim.setInitialDelay(5);
    tim.start();
    public void actionPerformed(ActionEvent e )
    //>>>>>>>>>>> this construction doesnt work correctly, its only good until the first
    // network error
    try
    if( init == false )
    // Create and install the security manager
    System.setSecurityManager(new RMISecurityManager());
    //get the remote factory object from the registry
    String url = new String("rmi://"+ hostname +"/EchoFactory");
    EchoFactory remoteFactory = (EchoFactory)Naming.lookup(url);
    //get references to new EchoImpl instances
    echoRef1 = remoteFactory.getEcho("User Meyer");
    init = true;
    if( init = true )
    //make the remote calls
    Date d = echoRef1.getTime();
    tact.setDate(d);
    catch(Exception ee)
    System.out.println(ee.toString());
    init = false;
    //<<<<<<<<<<<<<<<<<<<<<<<<<<<<<<<<<<<<<<<<<<<<<<<<<<<<<<<<<<<<<<<<<<<<<<<<<
    ////////////// EchoFactory.java
    package emi.server;
    import java.rmi.RemoteException;
    import java.rmi.Remote;
    public interface EchoFactory extends Remote
    Echo getEcho(String userName) throws RemoteException;
    ////////////// EchoFactoryImpl.java
    package emi.server;
    import java.rmi.RemoteException;
    import java.rmi.server.UnicastRemoteObject;
    public class EchoFactoryImpl extends UnicastRemoteObject implements EchoFactory
    EchoFactoryImpl() throws RemoteException {};
    public Echo getEcho(String userName) throws RemoteException
    EchoImpl echoRef = new EchoImpl(userName);
    return (Echo)echoRef;
    ////////////// EchoImpl.java
    package emi.server;
    import java.rmi.RemoteException;
    import java.rmi.server.UnicastRemoteObject;
    import java.util.*;
    public class EchoImpl extends UnicastRemoteObject implements Echo
    private String userName;
    public EchoImpl() throws RemoteException
    public EchoImpl(String userName) throws RemoteException
    this.userName = userName;
    public Date getTime()
    Etim e = new Etim();
    e.setTimeAct();
    return e.get();
    ////////////// EchoServer.java
    package emi.server;
    import java.rmi.Naming;
    import java.rmi.RMISecurityManager;
    public class EchoServer
    public static void main(String args[]) throws Exception
    // Create and install the security manager
    System.setSecurityManager(new RMISecurityManager());
    // Create the servant instance for registration
    EchoFactory factoryRef = new EchoFactoryImpl();
    // Bind the object to the rmiregistry
    Naming.rebind("EchoFactory", factoryRef);
    System.out.println("Echo object ready and bound to the name 'EchoFactory'!");
    ////////////// Etim.java
    package emi.server;
    import java.util.*;
    import java.text.*;
    // this is my central class working up all time problems .. many hundred lines of code
    // I think, you must not look at this code ist setting and reading time
    // this is only a subset of methods for this example
    public class Etim
    private Date dat;
    private Calendar cal;
    public Etim()
    cal = Calendar.getInstance(); // Gregorianischer Kalender
    dat = new Date(0L); // January 1, 1970, 00:00:00
    cal.clear();
    * Zeit lesen.
    public Date get()
    return dat;
    // setting the time
    public void setDate( Date d )
    dat.setTime( d.getTime() );
    cal.setTime(dat);
    // gets my time-class to the current system-clock
    public void setTimeAct()
    long millis;
    millis = System.currentTimeMillis();
    setMilli(millis);
    * Zeit setzen.
    public void setMilli(long millis)
    dat.setTime(millis);
    cal.setTime(dat);
    // time in german format: day.month.year hour:minute:second:millisecond
    public String toString()
    return toStringTagMoJahr() + " " + toStringStdMiSek() +
    ":" + cal.get(Calendar.MILLISECOND);
    * Ausgabeformat Tag.Monat.Jahr (z.B. 01.01.2001).
    public String toStringTagMoJahr()
    SimpleDateFormat s = new SimpleDateFormat("dd.MM.yyyy");
    return s.format(dat);
    * Ausgabeformat Stunde:Minute:Sekunde (00:00:00 - 23:59:59).
    public String toStringStdMiSek()
    SimpleDateFormat s = new SimpleDateFormat("HH:mm:ss");
    return s.format(dat);

    Hello willy51,
    Thank you for answering.
    I think, your comment of the design is true - its a problem when starting up in a new enviroment and
    you have nobody who shows you the right direction at the beginning. Talking personally together only
    10 minutes is better than writing a noval.
    I thing the following model of a client works better:
    concept:
    - visualize a personal time class continously evgery second
    - if there is a connection to a server set the time-class with the server time
    - if you loss connection, try to reconnect
    question:
    in which situation hangs connectToServer() ?
    (whithout the simple errors : no rmiregistry, no rmi-server)
    public class EchoClient
    private String hostname;
    public static void main(String args[]) throws Exception
    // my internal TIME-Class
    Etim acttim = new Etim();
    // Create and install the security manager
    System.setSecurityManager(new RMISecurityManager());
    // remote call
    Echo echoRef1 = null;
    String url = new String("rmi://"+ servername:port +"/EchoFactory");
    // displaying continous the time, technic = swing.timer
    EchoClientDisplay disp = new EchoClientDisplay(acttim);
    disp.StartTimer();
    // transfering continous the time from the server, technic = swing.timer
    // The state of transfer from server = offline
    EchoClientTransfer trans = new EchoClientTransfer(acttim);
    trans.StartTimer();
    // Connect to server
    connectToServer(url, echoRef1, trans);
    // wait for ever, if connection failed, try every 5 seconds a reconnect to server
    while(true)
    // test, if connection failed. The connections fails if the Object EchoClientTransfer
    // get a error, when it asks the server for the time ( remote call )
    if(trans.getStatus() == false ) // test, if connection failed
    connectToServer(url, echoRef1, trans);
    // try it again after 5 seconds
    Thread.sleep(5000);
    private static void connectToServer(String url, Echo echoRef1, EchoClientTransfer trans)
    System.out.println("Retry connection");
    // Connect to server
    while( true )
    try
    //get the remote factory object from the registry
    EchoFactory remoteFactory = (EchoFactory)Naming.lookup(url);
    //get references to new EchoImpl instances
    echoRef1 = remoteFactory.getEcho("User Meyer");
    // reactivate Datatransfer because I have now a new connection to the server
    trans.reactivateAfterConnectionError(echoRef1);
    // end of initialisation
    break;
    catch( Exception e )
    //>>>>>>> Error initialising connection to server. try again after 5 seconds"
    Thread.sleep(5000); // retry after 5 seconds

  • How to detect client socket shutdowns in server socket

    Hi,
    Hoping to get some help with this. I am writing this program that implements a socket server that accepts a single client socket (from a third-party system). This server receives messages from another program and writes them to the client socket. It does not read anything back from the client. However, the client (which I have no control over) disconnects and reconnects to my server at random intervals. My issue is I cannot detect when the client has disconnected (normally or due to a network failure), hence am unable to accept a fresh connection from the client. Here's my code for the server.
    ServerSocket serverSocket = null;
    Socket clientSocket = null;
    PrintWriter out = null;
    BufferedReader in = null;
    try{
              if (serverSocket == null){
                    serverSocket = new ServerSocket(4511);
         clientSocket = serverSocket.accept();
         System.out.println("Accepted client request ... ");
         out = new PrintWriter(clientSocket.getOutputStream(), true);
         in = new BufferedReader(new InputStreamReader(clientSocket.getInputStream()));
         System.out.println("Input / Output streams intialized ...");          
         while (true){                              
              System.out.println("Is Client Socket Closed : " + clientSocket.isClosed());
              System.out.println("Is Client Socket Connected : " + clientSocket.isConnected());
              System.out.println("Is Client Socket Bound : " + clientSocket.isBound());
              System.out.println("Is Client Socket Input Shutdown : " + clientSocket.isInputShutdown());
              System.out.println("Is Client Socket Output Shutdown : " + clientSocket.isOutputShutdown());
              System.out.println("Is Server Socket Bound : " + serverSocket.isBound());
              System.out.println("Is Server Socket Closed : " + serverSocket.isClosed());
              messageQueue = new MessageQueue(messageQueueDir+"/"+messageQueueFile);
              //get Message from Queue Head (also removes it)
              message = getQueueMessage(messageQueue);
              //format and send to Third Party System
              if (message != null){
                             out.println(formatMessage(message));
                   System.out.println("Sent to Client... ");
              //sleep
              System.out.println("Going to sleep 5 sec");
              Thread.sleep(5000);
              System.out.println("Wake up ...");
    }catch(IOException ioe){
         System.out.println("initSocketServer::IOException : " + ioe.getMessage());
    }catch(Exception e){
         System.out.println("initSocketServer::Exception : " + e.getMessage());
    }I never use the client's inputstream to read, although I have declared it here. After the client is connected (it enters the while loop), it prints the following. These values stay the same even after the client disconnects.
    Is Client Socket Closed : false
    Is Client Socket Connected : true
    Is Client Socket Bound : true
    Is Client Socket Input Shutdown : false
    Is Client Socket Output Shutdown : false
    Is Server Socket Bound : true
    Is Server Socket Closed : false
    So, basically I am looking for a condition that detects that the client is no longer connected, so that I can bring serverSocket.accept() and in and out initializations within the while loop.
    Appreciate much, thanks.

    Crossposted and answered.

  • How can an client-applet connect to server-DB?

    as the subject.
    I want the applet@client-side connect to DataBase@server-side,
    I am using Tomcat as engine & JDBC-mysql as tools
    where should the jdbc class placed in? WEB-INF/classes ? WEB-INF/lib ?? or others?
    now i am facing the problem that the applet seems cannot access WEB-INF and cannot locate the jdbc driver.
    could anybody give me some hints?
    thank you very much

    Hello
    I don't know the answer, sorry. This is the jdb (java debugger) tool forum.
    You might want to post your question over on the JDBC forum.
    Try this link:
    http://forum.java.sun.com/forum.jsp?forum=48

  • How can a client know the ip of the server?

    How can a client locate a rmi - server without
    have the ip of the server.
    Is there a methode that can check if there's a
    server in a L.a.n?

    We have used 2 different solutions.
    1. Our servers use UDP multicast and send out empty packets every second. The client listens on the multicast address:port, and once it sees a packet, it bootstraps the RMI object by contacting the registry on the server that sent the multicast.
    2. In another case we use JNLP/ Webstart to launch the client. With JNLP you can pass a parameter through to the app's System.properties via -D option on the command line using the jnlp property tag. If you change the ip address of the server you just update the *.jnlp file's particular <property> tag with the new value. The next time everyone launches the app, webstart will see that the *.jnlp has changed, will download the latest version of the jnlp file, decide it has all the correct jars etc, then launch the app with the new property value.
    This is a great way to centrally manage the configuration of multiple clients when the configuration is the same on all clients but might change over time.
    Bruce

  • How do I find where my DHCP server is on my network?

    I have a home network, a BT server, with an iMac, a MACBook Pro, two back-ups (Airports) and a Squeezebox (for internet radio).  The problem is that the Squeezebox keeps dropping out and informing me that it cannot find the DHCP server.  This did not used to be a problem, has happened failry recently, for no obvious reason.  Any help is much appreciated.

    start
    system information
    click network
    click Wi-FI or ethernet depending how you get your network on the mac
    scroll to the DHCP Server responses:
    look under it's Server Identifier

  • How to install an Officejet 8100 printer on a hybrid network?

    Hi,
    I want to buy an Officejet 8100 printer to use on my home network. My desktop PC has Windows 7 64 bits and is connected to a wireless router through an Ethernet cable. I have also a Windows 7 64 bits notebook, which access the home network through wi-fi. The desktop is near both the router and the printer. 
    After reading the 8100 installation instructions, I plan to do the following:
    1) Install the 8100 hardware, cartridges, etc.
    2) Connect the 8100 to the router by using an Ethernet cable.
    3) Install the 8100 drivers and software on my desktop PC, by folllowing the steps on "Wired (Ethernet) network" installation instructions. 
    4) Install the 8100 drivers and software on my notebook by folllowing the steps on "Wireless network" installation instructions. 
    Is that OK? Is that the correct method of installing the Officejet 8100 on a hybrid network?
    Cheers!
    This question was solved.
    View Solution.

    You can connect it either way. You don't have to use an ethernet cable to install the printer. You may be prompted to temporarly connect a USB cable to transfer wireless settings. The document link I provided has pretty detailed instructions on how to connect using either method
    I was an HP employee
    Reminder: Please select the "Accept as Solution" button on the post that best answers your question. Also, you may select the "Kudos" button on any helpful post to give that person a quick thanks.

  • DHCP Failover, one DHCP Server Partners Supnet is deactivated, Clients losing network connectivity for 3 sec. after renewing they IP Adress

    Hello,
    currently we are using two W2K12R2 DHCP server configured in "load balance Mode". On DHCP1 the IP-scope with failover partnership to DHCP2 is deactivated. DHCP2 is working fine. Now we register that 50 percent of our clients (W2K8R2 application
    server) losing the network connectivity for 3 sec. after rereleasing they IP-Address. On DHCP2 servers eventlog we receive a lot of
    BINDING ACK reject events 20291 and 20292 for these IP addresses entries.
    These 3 sec. of loosing they Network connectivity is our big Problem because the Client application (W2K8R2 application server) cannot handle these timeout. It looks like a
    DISCOVER-OFFER-REQUEST-NAK cycle that are described here:
    http://blogs.technet.com/b/teamdhcp/archive/2014/02/26/dhcp-failover-patch-to-address-a-reservation-issue-and-another-issue-related-to-failover-partner-not-accepting-state-transition-from-bad-address-gt-active-has-been-released.aspx#pi47623=2
    there is a solution to prevent the 3 sec network failure?
    Rgds

    Hi Steffen,
    Have you applied KB2919355 in the server?
    If issue persists, please check the detailed information about the event. It will tell us why does the server send the NAK.
    Best Regards.
    Steven Lee Please remember to mark the replies as answers if they help and unmark them if they provide no help. If you have feedback for TechNet Support, contact [email protected]

  • How get the RVS4000's DHCP server to assign another IP address other than its own as the default gateway to its DHCP clients?

    Hi,
    I have a RVS4000 router with DHCP enabled and in router mode. 
    The LAN is 192.168.2.x.  The RVS4000 static IP address is 192.168.2.8
    The router is not the RVS4000 and is at 192.168.2.1
    The RVS4000 dhcp is assigning it's clients a default gateway of 192.168.2.8 instead of what I want 192.168.2.1.
    How can I get the RVS4000's DHCP server to assign another IP address other than its own as the default gateway to its DHCP clients?
    Thanks

    Hi Gail, you cannot do this. The router, as the DHCP server will only assign a default gateway of what IP interface the DHCP server runs on. If you have the default IP, the gateway is 192.168.1.1. If you create a second vlan, by default it would be 192.168.2.1.
    There are not configuration options for the built-in DHCP server. If you'd like to expand this functionality, you would need an external dhcp server.
    -Tom
    Please mark answered for helpful posts

  • How to assign clients to alternate management point

    Hi Guys
    Does anyone know how to reassign clients to another management point on the same site.
    We have 3 seperate locations connected by a vpn, our main site has a primary site server with the management point role and the other 2 locations are just distribution and management point servers.
    I have built another distribution /management point server as the primary server site location as i want to take some of the roles of the primary site server as its overloaded, all my clients at this site are already assigned to the primary site server management
    point but want to assign them to the new distibution/management point at the same site.
    Was going to uninstall the management point role of the primary site server so that just my new server would have this role at this location, if i do this will the cleints automatically assign themself to the only available management point at this site
    or will they break.

    The clients always request a list of available MPs. If you deinstall a MP it will not be on that list anymore, so the clients will automatically go to another available MP.
    My Blog: http://www.petervanderwoude.nl/
    Follow me on twitter: pvanderwoude

  • How to reset client Software Update to point to Apple Update Servers?

    Hi folks
    I've been messing around with Leopard Server over the last few months, and as part of that, swupdate server in that as well.
    I made the mistake of pointing my laptop at it, which is Snow Leopard 10.6.0 - only to later find that Leopard 10.5 server can't server 10.6 updates as it doesn't catalog correctly.
    So, I've backed out my changes to the com.apple.SoftwareUpdate.plist file using defaults.
    The system version (/Library/Preferences) file now reads:
    grolsch:~ wrkadmin$ defaults read /Library/Preferences/com.apple.SoftwareUpdate
    LastAttemptDate = "2009-11-13 22:19:25 +0000";
    LastResultCode = 100;
    The user version (~/Library/Preferences) reads:
    grolsch:~ wrkadmin$ defaults read com.apple.SoftwareUpdate
    WebKitDefaultFontSize = 11;
    WebKitStandardFont = "Lucida Grande";
    So, I've removed all the references to my attempted swupdate server, by ensuring no references of "CatalogURL" exist in either file.
    I've also quadrouple checked that there's no managed settings enforced from Workgroup Manager as part of Open Directory on the same Leopard server, and there's definitely nothing enabled.
    I've rebooted several times, I've restored the original plist file from before I made the changes to point to my local swupdate server, and I've even deleted the ** com.apple.SoftwareUpdate.plist file. To no avail.
    Everytime I launch Software Update on my laptop, it's still pointing to the internal server, and it says the local server isn't responding.
    I've done this backout on Leopard (10.5) machines with NO problem, but on Snow Leopard, it appears that the software update server is possibly held somewhere else, but I'm jiggered if I can find it.
    Can anyone point out the schoolboy error that I've missed somewhere please??
    To clarify: 10.5.8 Leopard Server, 10.6.0 Snow Leopard Client
    Thanks!
    PS - for anyone that picks up on the repost from the client forum, just doing as I've been told and posting here instead!

    Hi
    Make sure you're not bound to any directory server first. In 10.6 this would be accessed via the Accounts Preferences Pane > Login Options > Network Account Server > Join > Remove any LDAP Server entry. For 10.5 you use Directory Utility in /Applications/Utilities. For 10.4 use Directory Access in /Applications/Utilities. Next launch Terminal and issue these commands
    sudo -s
    Provide the local admin password when prompted. If you've not set a password set one in the Account Preferences Pane. You won't see the password being typed in Terminal as there's no echo. Follow this with these commands:
    rm -R -v /Library/Managed\ Preferences
    rm -R -v /Library/Preferences/com.apple.SoftwareUpdate.plist
    reboot now
    On successful reboot and login you should be OK?
    Tony

  • How to point 10G XE Client to XEServer

    Thank you for ur reply.
    I can't install 10G XE client in the client system bcz of lack of RAM(only 224MB).
    I think all versions of 10G requires 256MB of RAM.
    So What i need is
    1). Is it possible to share & run in client system which having only 224MB of Ram.
    2). IS database 10G supports Networing.
    3). If it, How can i share the S/w using listner in client System.
    4). If I install XEClient,How to point to server.
    Hope you do the needful.
    Thanking You,

    Oracle XE is a subset of SE, you can expect this to work almost like this, considering its limitation and capabilities. You can connect whatever you want against an XE, that's what the listener is for. You only need to configure your tnsnames to properly point to your XE database. In case you don't have a tnsnames.ora file, or don't want to configure one, you can choose to access your database by means of the EZConnect:
    sqlplus hr/hr@yourHostname:2521/XE
    You will still be able to access your web admin console, you won't be able to remotely access it unless you open the port for remote connections by means of the :
    EXEC DBMS_XDB.SETLISTENERLOCALACCESS(FALSE);
    execution as sys.
    ~ Madrid

  • How to conect client with server in wide area network

    hi,
    this is yasmin riaz..i have installed oracle 8.1.5 enterprise edition on my server and then install oracle 8.1.5 cleint on another pc and then i get connected from client to that server db by net8 asistant on client machine..this setup is working fine at my office means connecting to server via client in local area net work..
    now i want to connect to this oracle server from my home client machine which is now on wide area network..i dont know how to connect now from client machine at my home to server machine at my office..
    can anyone suggest me how to do this conectivity..
    its urgent
    thanx in advance
    yasmin riaz

    while you are connected to the same domain as of oracle server then this is no problem.
    varify your domain connection by pinging
    the oracle server machine at your office,
    ask your network administrator to allow you
    enough priveleges and network infrastructure
    so that you could see oracle server in
    your network neighborhood.
    now create your net connect string
    and verify it by looking into tnsnames.ora
    now try the connection
    if the entry of oracle server exists
    but it does not connects then
    replace the name of oracle server machine
    with tcp/ip address of oracle server in
    tnsnames.ora

  • Cisco 1702i WAP: how to get an interface in a non-native bridge group/ VLAN to be recognized by the internal DHCP server

    Does anyone know how the internal DHCP server in these access points connects to virtual interfaces and bridges in the unit?
    Is there some sort of default connection that connects the DHCP server to the native bridge group or VLAN?
    In a test case, with an SSID in the native VLAN and bridge group, the 1702i serves an IP address to a wireless client no problem. But with a second SSID in a non native VLAN and bridge group, no IP gets served. My only guess is that since the bvi1 defaults to the native bridge group and VLAN, sub-interfaces also in this group are assumed to be in the same subnet as bvi1, or in this case:
    interface bvi1
      ip address 192.168.1.205 255.255.255.0
      no ip route-cache
      exit
    It would be the ..1. subnet.
    Since the dhcp pool is set as:
    ip dhcp pool GeneralWiFi
      network 192.168.1.0 255.255.255.0
      lease 1
      default-router 192.168.1.1
      dns-server 8.8.8.8
      exit
    There may be an assumption that anything bvi1 can talk to is in the ..1. subnet, so the above pool gets activated on a request coming through bvi1.
    Is the DHCP server just hanging out waiting for a request from an "area" that is assumed to be on the same subnet as the given pool?
    Do I need to somehow show the device what subnet the 2nd SSID/ subinterfaces are in so the internal DHCP server can decide it needs to go to work, or is there some sort of bridging between the DHCP server and the interfaces that needs to be done? I am trying to use the same DHCP pool for the second subnet at this point, since I assume I will need another router to service an additional subnet and DHCP pool.

    Keep in mind that DHCP is a broadcast packet to start. So the AP can only listen in the subnet that it has an IP address for.
    Now, for any other subnet you can use the AP for DHCP but you have to have an IP helper address on your L3 pointing back to the AP.
    That being said, I wouldn't use the DHCP server on the AP as it is limited. You'd be better off using a Microsoft server or some other device that is designed for DHCP.
    HTH,
    Steve

  • Clients Not seeing DHCP server at branch office or not accepting ip offers (NO LOG REPORTS KIND OF IN THE DARK)

    Hi there i am having an issue that has popped up recently i have a DC at a branch office that is connected to the main office DC via a Persistent Demand Dial connection in RRAS. Everything was working properly according to me until i found out that the Network
    Admin who manages the branch office network failed to notify me that client machines weren't getting IP addresses from the DHCP server. This server was recently installed and wasn't fully implemented till about a week ago when i configured the Demand Dial
    connection in RRAS up until that point it just had a regular old VPN connection to the main office while we worked out the kinks with a few things. the things ive tried so far to get DHCP working are as followed
    1.Rebooted the branch office server (MULTIPLE TIMES)
    2. Uninstalled the DHCP Role and re-installed it....To my surprise 1 client managed to get a ip on its lan adapter after DHCP was re-installed but nothing else
    3. Disconnected the connection between the main office DC and the Branch office DC as i figured the main office DC DHCP server might be interfering with the branch office DC DHCP Server but nothing happened 
    4. Unauthorized and Reauthorized the main office DHCP server and the branch office DHCP server nothing changed
    5. sifted through multiple log files on both servers and found noting in fact DHCP logs are empty on both servers
    6. restored backups of the DHCP servers from when they were working
    7. came here cause im out of ideas and im pulling my hair out
    here are the current statistics from the problem server
    Start Time: 7/12/2014 2:02:10PM
    Up Time: 1Hours, 18 Minutes, 41 Seconds
    Discovers: 90
    Offers: 90
    Requests: 2
    Acks: 13
    Nacks: 0
    Declines: 0
    Releases: 0
    Total Scopes: 1
    Total Addresses 253
    In Use 2 (0%)
    Available: 251 (99%)
    Id like to add that RRAS was getting IP addresses from the problem server up until the point i uninstalled the role and re-installed it
    heres is a ipconfig /all from the problem server
    Windows IP Configuration
       Host Name . . . . . . . . . . . . : MNB-DC
       Primary Dns Suffix  . . . . . . . : VTEACR.LOCAL
       Node Type . . . . . . . . . . . . : Hybrid
       IP Routing Enabled. . . . . . . . : Yes
       WINS Proxy Enabled. . . . . . . . : No
       DNS Suffix Search List. . . . . . : VTEACR.LOCAL
    PPP adapter Remote Router:
       Connection-specific DNS Suffix  . :
       Description . . . . . . . . . . . : Remote Router
       Physical Address. . . . . . . . . :
       DHCP Enabled. . . . . . . . . . . : No
       Autoconfiguration Enabled . . . . : Yes
       IPv4 Address. . . . . . . . . . . : 10.141.70.25(Preferred)
       Subnet Mask . . . . . . . . . . . : 255.255.255.255
       Default Gateway . . . . . . . . . :
       DNS Servers . . . . . . . . . . . : 10.141.70.10
       NetBIOS over Tcpip. . . . . . . . : Disabled
    Ethernet adapter Local Area Connection:
       Connection-specific DNS Suffix  . :
       Description . . . . . . . . . . . : Broadcom NetXtreme Gigabit Ethernet
       Physical Address. . . . . . . . . : 00-16-35-AB-D3-05
       DHCP Enabled. . . . . . . . . . . : No
       Autoconfiguration Enabled . . . . : Yes
       Link-local IPv6 Address . . . . . : fe80::d9e:daa4:34dd:db44%10(Preferred)
       IPv4 Address. . . . . . . . . . . : 10.141.80.102(Preferred)
       Subnet Mask . . . . . . . . . . . : 255.255.255.0
       Default Gateway . . . . . . . . . : fe80::226:5aff:feb7:5b3c%10
                                           10.141.80.1
       DNS Servers . . . . . . . . . . . : ::1
                                           10.141.80.102
       NetBIOS over Tcpip. . . . . . . . : Enabled
    PPP adapter RAS (Dial In) Interface:
       Connection-specific DNS Suffix  . :
       Description . . . . . . . . . . . : RAS (Dial In) Interface
       Physical Address. . . . . . . . . :
       DHCP Enabled. . . . . . . . . . . : No
       Autoconfiguration Enabled . . . . : Yes
       IPv4 Address. . . . . . . . . . . : 169.254.238.243(Preferred)
       Subnet Mask . . . . . . . . . . . : 255.255.255.255
       Default Gateway . . . . . . . . . :
       DNS Servers . . . . . . . . . . . : fec0:0:0:ffff::1%1
                                           fec0:0:0:ffff::2%1
                                           fec0:0:0:ffff::3%1
       NetBIOS over Tcpip. . . . . . . . : Disabled
    Tunnel adapter Local Area Connection* 8:
       Media State . . . . . . . . . . . : Media disconnected
       Connection-specific DNS Suffix  . :
       Description . . . . . . . . . . . : isatap.{427DF66B-3B30-40B1-B67E-B5587465C
    394}
       Physical Address. . . . . . . . . : 00-00-00-00-00-00-00-E0
       DHCP Enabled. . . . . . . . . . . : No
       Autoconfiguration Enabled . . . . : Yes
    Tunnel adapter Local Area Connection* 9:
       Media State . . . . . . . . . . . : Media disconnected
       Connection-specific DNS Suffix  . :
       Description . . . . . . . . . . . : Teredo Tunneling Pseudo-Interface
       Physical Address. . . . . . . . . : 02-00-54-55-4E-01
       DHCP Enabled. . . . . . . . . . . : No
       Autoconfiguration Enabled . . . . : Yes
    Tunnel adapter Local Area Connection* 11:
       Media State . . . . . . . . . . . : Media disconnected
       Connection-specific DNS Suffix  . :
       Description . . . . . . . . . . . : isatap.ziricom.com
       Physical Address. . . . . . . . . : 00-00-00-00-00-00-00-E0
       DHCP Enabled. . . . . . . . . . . : No
       Autoconfiguration Enabled . . . . : Yes
    Tunnel adapter Local Area Connection* 12:
       Media State . . . . . . . . . . . : Media disconnected
       Connection-specific DNS Suffix  . :
       Description . . . . . . . . . . . : isatap.VTEACR.LOCAL
       Physical Address. . . . . . . . . : 00-00-00-00-00-00-00-E0
       DHCP Enabled. . . . . . . . . . . : No
       Autoconfiguration Enabled . . . . : Yes
    Tunnel adapter Local Area Connection* 13:
       Media State . . . . . . . . . . . : Media disconnected
       Connection-specific DNS Suffix  . :
       Description . . . . . . . . . . . : isatap.{BE201060-A9B9-404A-8361-F8FFB82F5
    6F6}
       Physical Address. . . . . . . . . : 00-00-00-00-00-00-00-E0
       DHCP Enabled. . . . . . . . . . . : No
       Autoconfiguration Enabled . . . . : Yes
    Tunnel adapter Local Area Connection* 14:
       Media State . . . . . . . . . . . : Media disconnected
       Connection-specific DNS Suffix  . :
       Description . . . . . . . . . . . : Microsoft ISATAP Adapter #5
       Physical Address. . . . . . . . . : 00-00-00-00-00-00-00-E0
       DHCP Enabled. . . . . . . . . . . : No
       Autoconfiguration Enabled . . . . : Yes
    Tunnel adapter Local Area Connection* 15:
       Media State . . . . . . . . . . . : Media disconnected
       Connection-specific DNS Suffix  . :
       Description . . . . . . . . . . . : isatap.VTEACR.LOCAL
       Physical Address. . . . . . . . . : 00-00-00-00-00-00-00-E0
       DHCP Enabled. . . . . . . . . . . : No
       Autoconfiguration Enabled . . . . : Yes
    Tunnel adapter Local Area Connection* 16:
       Media State . . . . . . . . . . . : Media disconnected
       Connection-specific DNS Suffix  . :
       Description . . . . . . . . . . . : Microsoft ISATAP Adapter #7
       Physical Address. . . . . . . . . : 00-00-00-00-00-00-00-E0
       DHCP Enabled. . . . . . . . . . . : No
       Autoconfiguration Enabled . . . . : Yes
    Tunnel adapter Local Area Connection* 19:
       Media State . . . . . . . . . . . : Media disconnected
       Connection-specific DNS Suffix  . :
       Description . . . . . . . . . . . : isatap.ziricom.com
       Physical Address. . . . . . . . . : 00-00-00-00-00-00-00-E0
       DHCP Enabled. . . . . . . . . . . : No
       Autoconfiguration Enabled . . . . : Yes
    if anymore information is needed please let me know i have full access to everything on the network so its not a problem and i am able to remotely access the branch office DC and all computer and switches at any time of the day
    Viper Technologies Computer Repair Putting The Venomus Bite Back In Your Computer We Are Located In Antigonish ,NS Canada Check Us Out HTTP://WWW.VIPERTECHNOLOGIES.TK

    Hi,
    Does this issue occur on one client or multiple?
    Please check this article:
    http://technet.microsoft.com/en-us/library/cc757164(v=ws.10).aspx#BKMK_5
    Regards.
    Vivian Wang

Maybe you are looking for

  • Creating an application which uses NI-Daqmx driver

    Hello, I'm developing an application which uses NI-Daqmx driver and I need to deliver this application to end users. I currently have NI-DAQmx 9.7.0 installed on my computer which needed an installation of 1.55 GB. I got complaints from customers who

  • Passing dynamic parameters in hyperlinks

    Post Author: alguser CA Forum: Profitability Applications I am using the former ALG Activity Analysis/Predictive Planning application, which I gather is now known as profitability.  Is there a way to use variables as query string values in hyperlinks

  • Deploying one app in multiple jars / wars

    Is it possible to split up an application into two or more jars / wars,           and still be deployed as a single application. Our requirment is such           that we need to do that, but I can't seem to find a way to make it work.           Thank

  • Standard tables used for Aggregates

    Could anyone please help give me a list of all the STANDARD TABLE which are associated with AGGREGATES in BIW 3.x.

  • Pr CC / Mac - Cannot open project!!!

    '08 MacPro w/ OS X 10.7.5 - Pr CC v7.0.0 (was up to date but uninstalls/reinstalls) I have been natively editing a multicam project for the last 2weeks: * 3Cams = 2 Panasonic AVCHD + 1 JVC GY-HM150U ProHD .mp4 I'm finished with the MultiCam and am no