How to get websites on different servers

I have two websites that I'm trying to host with Azure Website but I need them to be on different servers. I originally created them in the same subscription so they obviously got put on the same server. I thought I had read somewhere that if you create
a new subscription and the website to that, then it would be on a different server but that doesn't seem to  be working. Both sites still point to the same IP address and have the same server name listed.  Is there any way to ensure that both sites
get placed on different servers.
Thanks,
Owen

If you host the sites in two different Web Hosting Plans, they will be on different servers. See
here for more details on Web Hosting Plans.
David

Similar Messages

  • How to get subtitles in different idioms

    Hi there,
    Do you know how to (or if we can) get subtitles in different languages when it is an english movie?
    Not sure it is possible..... Thanks. Jr

    http://www.apple.com/itunes/inside-itunes/2012/06/how-to-change-the-language-set tings-for-movies.html
    Should help.

  • How to get Time from Different Work Station on the Network

    Hi,
    How do I get time from different work station on the network using its ip:port etc.
    Lets say, my main server-side Java application is running on a work station 123.12.123.1:1527,
    the client-side applications are accessing it using above IP.
    what I wanna do is, use the time of 123.12.123.1 machine throughout the application, not client local time.
    Appreciated..

    Ok, this network service on IP:Port is working for me, I hope this is the best way of doing it.
    In server application, I have this
    package RenameItToYourOwnPackage;
    import java.io.IOException;
    import java.io.ObjectInputStream;
    import java.io.ObjectOutputStream;
    import java.net.ServerSocket;
    import java.net.Socket;
    import java.text.SimpleDateFormat;
    public class ServerSocketExample implements Runnable {
        private ServerSocket server;
        private int port = 7777;
        Socket socket;
        public void run() {
            try {
                System.out.println("Waiting for client message");
                server = new ServerSocket(port);
                while (true) {
                    socket = server.accept();
                    // Read a message sent by client application
                    ObjectInputStream ois = new ObjectInputStream(socket.getInputStream());
                    String clientMessage = (String) ois.readObject();
                    System.out.println("Message sent by client: " + clientMessage);
                    // send current datetime to client
                    ObjectOutputStream oos = new ObjectOutputStream(socket.getOutputStream());
                    oos.writeObject(new SimpleDateFormat("yyyy-MM-dd HH:mm:ss").format(new java.util.Date()));
                    ois.close();
                    oos.close();
                    socket.close();
            } catch (IOException e) {
                e.printStackTrace();
            } catch (ClassNotFoundException e) {
                e.printStackTrace();
    }In the client application I have
    package RenameItToYourOwnPackage;
    import java.io.IOException;
    import java.io.ObjectInputStream;
    import java.io.ObjectOutputStream;
    import java.net.InetAddress;
    import java.net.Socket;
    import java.net.UnknownHostException;
    public class ClientSocketExample {
        static String dateTimeString;
        public ClientSocketExample() {
        public static String getServerDateString() {
            try {
                // Create a connection to the server socket on the server application
                InetAddress host = InetAddress.getByName("127.0.0.1");
                Socket socket = new Socket(host.getHostName(), 7777);
                // Send a message to the server application
                 ObjectOutputStream oos = new ObjectOutputStream(socket.getOutputStream());
                 oos.writeObject("Send me today's timestamp as string");
                // Read the response by server application
                ObjectInputStream ois = new ObjectInputStream(socket.getInputStream());
                dateTimeString = (String) ois.readObject();
                //System.out.println("Message sent by server: " + message);
                ois.close();
                oos.close();
            } catch (UnknownHostException e) {
                e.printStackTrace();
            } catch (IOException e) {
                e.printStackTrace();
            } catch (ClassNotFoundException e) {
                e.printStackTrace();
            return dateTimeString;
    }And I run the service on the server-side with
            new Thread(new ServerSocketExample()).start();On the client-side I receive the date with
            System.out.println("DateTime on Server : " + ClientSocketExample.getServerDateString());Edited by: nkamir on Sep 13, 2010 2:53 PM

  • How to get the last different occurrence in a SCD table

    hey,
    i have a slowly changing dimension and i want to get the last different occurrence for each row.
    Sample Data
    the field LAST_VALUE is the one i'm looking for.
    ID     START_DATE     END_DATE     VALUE     LAST_VALUE
    1     01/01/2000     01/02/2000     X     null
    1     01/02/2000     01/03/2000     X     null
    1     01/03/2000     01/04/2000     Y     X
    1     01/04/2000     01/05/2000     Y     X
    1     01/05/2000     01/06/2000     X     Y
    1     01/06/2000     01/07/2000     X     Y
    1     01/07/2000     01/08/2000     Z     X
    1     01/08/2000     01/09/2000     Q     Z i want to try and do that without three sub selects.
    i've tried analytic functions but lag brings me the last occurrence which is not necessarily different.
    thanks.

    Something like this :
    SQL> with sample_data as (
      2    select 1 ID, to_date('01/01/2000','DD/MM/YYYY') START_DATE, to_date('01/02/2000','DD/MM/YYYY') END_DATE, 'X' VALUE from dual union all
      3    select 1, to_date('01/02/2000','DD/MM/YYYY'), to_date('01/03/2000','DD/MM/YYYY'), 'X' from dual union all
      4    select 1, to_date('01/03/2000','DD/MM/YYYY'), to_date('01/04/2000','DD/MM/YYYY'), 'Y' from dual union all
      5    select 1, to_date('01/04/2000','DD/MM/YYYY'), to_date('01/05/2000','DD/MM/YYYY'), 'Y' from dual union all
      6    select 1, to_date('01/05/2000','DD/MM/YYYY'), to_date('01/06/2000','DD/MM/YYYY'), 'X' from dual union all
      7    select 1, to_date('01/06/2000','DD/MM/YYYY'), to_date('01/07/2000','DD/MM/YYYY'), 'X' from dual union all
      8    select 1, to_date('01/07/2000','DD/MM/YYYY'), to_date('01/08/2000','DD/MM/YYYY'), 'Z' from dual union all
      9    select 1, to_date('01/08/2000','DD/MM/YYYY'), to_date('01/09/2000','DD/MM/YYYY'), 'Q' from dual
    10  )
    11  select v.id
    12       , v.start_date
    13       , v.end_date
    14       , v.value
    15       , last_value(case when value != prev_value then prev_value end ignore nulls)
    16               over(partition by id order by start_date) as "LAST_VALUE"
    17  from (
    18    select t.*
    19         , lag(value) over(partition by id order by start_date) as prev_value
    20    from sample_data t
    21  ) v
    22  ;
            ID START_DATE  END_DATE    VALUE LAST_VALUE
             1 01/01/2000  01/02/2000  X    
             1 01/02/2000  01/03/2000  X    
             1 01/03/2000  01/04/2000  Y     X
             1 01/04/2000  01/05/2000  Y     X
             1 01/05/2000  01/06/2000  X     Y
             1 01/06/2000  01/07/2000  X     Y
             1 01/07/2000  01/08/2000  Z     X
             1 01/08/2000  01/09/2000  Q     Z
    8 rows selected

  • How to get existing (Dlink) printer servers working with Snow Leopard

    I have a new macbook. We have two existing Dlink 1260 print servers serving 3 Windows machines. Both connect to our network via CAT5, we have a Buffalo router and cable modem service. One print server has a HP inkjet ands the other has a Canon inkjet printer. I know the IP addresses (static) and TCP ports of the two print servers. Apple's support people told me they arent trained to help me on print servers.
    How does one install these print servers in Snow Leopard 10.6?? I am out of ideas other than Geek Squad :>(

    I would imagine you need to connect via IP, LPD, put the IP address of the server in for Address and the Port Name in for the Queue.
    You will need Postscript drivers for the printers, based on info on the D-Link site.

  • How to get Session from different namespace?

    Hi,
    I´m trying to get a session from a different namespace, how can I do this?
    For example: I´m setting some session parameters with session.setAttribute in
    a namespace called "customer", and trying to get this parameters in a namespace
    called "main".
    In my webflow, I am using a proxy node to call the page in the other namespace.
    I will always recieve a session from the other namespace. But, when I try to get
    the parameters, I think the session have been lost.
    Can anyone help me?
    Thanx. CSN
    Thank

    Why? Because that's what the J2EE specification says should happen.

  • How to get listitems from different lists using Js

    Hi,
    I want to search my web for all the lists that contains a certain checkbox column (get it by name).
    Once I have this list, I want to iterate through all of them and get the list items with this column checked.
    I got the lists, but when I tried to get the fields - I got an error - the system doesn't recognizes the fields.
    To be more specific - in the code I've posted below in method onGetFieldsSuccess I'm getting an error in the first line, as I can't retrieve the enumerator.
    In the MSDN I saw how to retrieve list's fields, but there it was a specific list. Is there a way to get the lists who have a specific field?
    Any help will be appreciated
    <script> 
    ExecuteOrDelayUntilScriptLoaded(showFavorites, "sp.js"); 
    var ctx;
    var lists;
    function showFavorites()
         ctx = new SP.ClientContext.get_current();
         var web = ctx.get_site().openWeb("/legal");
         ctx.load(web);
         lists = ctx.get_site().openWeb("/legal").get_lists();
         ctx.load(lists);
         ctx.executeQueryAsync(Function.createDelegate(this, this.onGetListSuccess), Function.createDelegate(this, this.onFail));
    var list;
    var fields;
    function onGetListSuccess(sender, args) {
              var listEnumerator = lists.getEnumerator();
              while (listEnumerator.moveNext()) {
                   list = listEnumerator.get_current();
                   ctx.load(list);
                   fields = list.get_fields();
                    ctx.load(fields , 'Include(Title)');
                   ctx.executeQueryAsync(Function.createDelegate(this, this.onGetFieldsSuccess), Function.createDelegate(this, this.onFail));
    function onGetFieldsSuccess(sender, args)
          var fieldEnumerator = fields.getEnumerator();
        while (fieldEnumerator.moveNext()) {
            var field = fieldEnumerator.get_current();
            var name = field.get_staticName();
            if (name == "MyFavorite") {
                alert(list.get_title()); 
                break;
    function onFail(sender, args) {
        console.log(args.get_message());
    </script>​​​​​​​​​​​​​​​​​​​​​​​​​

    Thanks a lot Thriggle,
    I've used your advise, and other then some syntax problems (as you predicted :) everything worked just fine!
    (I had to add another executeQueryAsync to get the listItems files - but that wasn't a problem).
    The only issue that I have is that it takes FOREVER to load, and once it does load - it returns duplicates of the same results (sometimes 3, sometime up to 10).
    I only have 13 tables with about 50 list items in each table, and from that only 6 tables have the specified field - so it shouldn't have taken THAT long (sometimes I see the results after 45 seconds after the page finished loading).
    should I have used a new client context for each query? or is there a place where I'm getting unnecessary loops (I've made sure that I have only 1 list item that matches the 
    I'm resending the complete code. maybe there's something I've missed here.
    <cfheader name="X-XSS-Protection" value="0"></cfheader>​​​​​ ​​​<script>
    ExecuteOrDelayUntilScriptLoaded(showFavorites, "sp.js"); 
    function showFavorites()
         var displayTable = document.getElementById("myFavoritesTable");
         for(var i = displayTable.rows.length - 1; i > 0; i--)
                displayTable.deleteRow(i);
       var fieldToLookFor = "MyFavorite";
         var ctx = new SP.ClientContext.get_current();
         var web = ctx.get_site().openWeb("/legal");
         var lists = web.get_lists();
         ctx.load(web);
         ctx.load(lists, 'Include(Title,Fields)');
         ctx.executeQueryAsync(Function.createDelegate(this, function(){
         var matchingLists = [];
         var listEnum = lists.getEnumerator();
         while(listEnum.moveNext()){
              var currList = listEnum.get_current();
              var containsField = false;
              var fields = currList.get_fields();
              var fieldEnum = fields.getEnumerator();
              while(fieldEnum.moveNext()){
                   if(fieldEnum.get_current().get_staticName() == fieldToLookFor){ containsField = true; break;}
              if(containsField){
                  matchingLists.push(currList.get_title());            
         //alert(matchingLists);
         var i = 0;
         while(i < matchingLists.length){
              var list = lists.getByTitle(matchingLists[i]);
              i++;
              var camlQuery = new SP.CamlQuery();
              var camlString = '<View><Query><FieldRef Name=\'' + fieldToLookFor + '\' /><Value Type=\'Integer\'>1</Value></Query></View>';
              camlQuery.set_viewXml(camlString);
              var items = list.getItems(camlQuery);
              ctx.load(items);
              ctx.executeQueryAsync(Function.createDelegate(this,function(){
                   var itemEnum = items.getEnumerator();
                   while(itemEnum.moveNext()){
                        var item = itemEnum.get_current();
                        var file = item.get_file();
                        ctx.load(file);
                        ctx.executeQueryAsync(Function.createDelegate(this,function(){
                        var table = document.getElementById("myFavoritesTable");
    // Create an empty <tr> element and add it to the 1st position of the table:
    var row = table.insertRow(-1);
    // Insert new cells (<td> elements) at the 1st and 2nd position of the "new" <tr> element:
    var cell1 = row.insertCell(0);
    var cell2 = row.insertCell(1);
    var cell3 = row.insertCell(2);
    var cell4 = row.insertCell(3);
    cell1.innerHTML = "XX";
    cell2.innerHTML = item.get_id();
    cell3.innerHTML = "<a href='" + item.get_file().get_serverRelativeUrl() + "' alt=''>" + item.get_file().get_name() + "</a>" ;
    cell4.innerHTML = "";
                     }),Function.createDelegate(this,function(sender, args){
                  alert(args.get_message());
              }),Function.createDelegate(this,function(sender, args){
                  alert(args.get_message());
    }), Function.createDelegate(this, function(sender, args){ 
         alert(args.get_message()); 
    </script>​​​​​ 
    <table id="myFavoritesTable">
       <tbody> 
          <tr valign="top" class="ms-viewheadertr"> 
             <th nowrap="nowrap" class="ms-vh"> 
                <table> 
                   <tbody> 
                      <tr> 
                         <td width="100%" nowrap="nowrap" class="ms-vb">שם טבלה 
                            <img src="/_layouts/15/images/blank.gif" height="1" width="13" alt="" style="visibility: hidden;"/> </td> 
                      </tr> 
                   </tbody> 
                </table> 
             </th> 
             <th nowrap="nowrap" class="ms-vh"> 
                <table> 
                   <tbody> 
                      <tr> 
                         <td width="100%" nowrap="nowrap" class="ms-vb">ID 
                            <img src="/_layouts/15/images/blank.gif" height="1" width="13" alt="" style="visibility: hidden;"/> </td> 
                      </tr> 
                   </tbody> 
                </table> 
             </th> 
             <th nowrap="nowrap" class="ms-vh"> 
                <table> 
                   <tbody> 
                      <tr> 
                         <td width="100%" nowrap="nowrap" class="ms-vb">כותרת 
                            <img src="/_layouts/15/images/blank.gif" height="1" width="13" alt="" style="visibility: hidden;"/> </td> 
                      </tr> 
                   </tbody> 
                </table> 
             </th> 
             <th nowrap="nowrap" class="ms-vh"> 
                <table> 
                   <tbody> 
                      <tr> 
                         <td width="100%" nowrap="nowrap" class="ms-vb">מסמך ​ 
                            <img src="/_layouts/15/images/blank.gif" height="1" width="13" alt="" style="visibility: hidden;"/> ​​​​​​​</td> 
                      </tr> 
                   </tbody> 
                </table> 
             </th> 
          </tr>
       </tbody> 
    </table>​ 
    <p>​​​​​​​​​</p>

  • How to get data from  different SEGMENTs

    Hi;
    My requirement is to first of all retrieve the data from different segments in run time.
    I mean, i have to execute t/code WE19 and the idoc will be given after that an user exit would called where i have to retrieve the data from different segments and then it would store in an internal table for further calculation.
    Can you all please guide me how to retrieve the data via ABAP code in runtime so that it can store in an internal table.
    Regards
    Shashi

    write code lke this ..
    form post_idoc tables idoc_data structure edidd
                                    idoc_status structure bdidocstat .
    loop at idoc_data .
      case idoc_data-segnam .
        when 'zsegment1'.
           move idoc_data-sdata to wa_zsegment1 .
        when 'zsegment2'.
          move idoc_data-sdata to wa_zsegment2 .
       when 'zsegmentn'.
          move idoc_data-sdata to wa_zsegmentn.
      endcase .
    endloop.
    After this write code to move data to int table from work area .
    endform .
    Hope this helps u....

  • How to restore cluster to different servers

    Our 2-node cluster is being included in DR test this year. Our site provider is being asked to prepare servers, network and storage to host the cluster. We will restore from EMC BCV backup and then try to bring up the cluster.
    OS = solaris, storage is asm on emc san, only oracle clusterware for management. DB is 11.1.0.7.
    Questions:
    1) do the servers need to have the same host names as what we have today in production ? (Network will be isolated to DR site). Can we restore the cluster from backup if the servers have different host names?
    2) do the storage device names need to have the same names as on our local san - disk groups internally are expecting certain device names I believe?
    WOuld appreciate replies from anyone who has performed similar disaster recovery exercises before using EMC BCV backups (which is a type of hot backup).
    Thanks.

    Use oracle dataguard technology for oracle database DR setup. So the server names can be different and you can easily do the tasks of failover to DR site and switchback to production after testing the failover.

  • How to Replicate tables at different servers??? Please Help!!!

    Hi all,
    Basically i have two tables with same table structure (one is master & slave )both on different server.
    I just want to update slave table whenever Master table is updated with new records.Can this activity be scheduled???
    Could somebody guide me how to achieve this...
    Thanks in advance

    Hi,
    you could write a TRIGGER in the master table which would update the other table or you could have a procedure which you could run every hour or depending upon how frequently you want to update the other table. Every thing depnds upon how frequently the MASTER is updated, how quickly you want the information transferred to the other table ....
    http://download.oracle.com/docs/cd/B14117_01/server.101/b10739/jobtosched.htm
    Thanks

  • How to get website to show only adress

    trying to get my website to show only www.ausablerivercanoerental.com, instead of ausablerivercanoerental.com/ausablerivercanoerental/welcome.html
    please help.  thank you.

    The only way to do that is to use standard domain name forwarding with masking.  That will give you exacty what you want.
    However, there are some downsides to using masking:
    Visitors can only enter your site at the first page.
    Visitors can only bookmark the first page of the site.
    If a visitor reloads the page they will be taken back to the first page of the site.
    Search engines will only be able to use the first page of your site in indexing and ranking your site.
    These may or may not be a problem for you.
    Depending on where you're hosting your site you could get www.ausablerivercanoerental.com/welcome.html by publishing your site to a folder on your hard drive and uploading only the content of the site folder that is created.  This method is not easily doable if you're hosting on a MobileMe account but can be done.
    OT

  • [JFileChooser] How to get the local network servers list?

    Hi, i try to use a JFileChooser (and its FIleSystemView) to retreive the list of local network computer.
    In the UI, i can see it but i don't manage to get that list outside of the jfilechooser.
    When I do : new File(\\\\Server\\Directory).list() I have a good answer.
    But hen I do new File(\\\\).list() to have the server list, i have nothing. I don't manage to list the workgroup too.
    Thanks a lot.

    This question is asked and answered repeatedly. Search the forum.

  • MySQL & Websites on different servers

    Typically they are on the same server so the $dbhost would be 'localhost';
    In my circumstance they are not and I cannot get them connected.
    MySQL is Reporting - Access denied for user 'xxxxxxxx'@'www.whatever.edu' (using password: YES)
    My dbuser exist, I have assigned privileges , and then flushed all privileges after. I have turned off firewalls, MySQL remote connections is turned on. From what I can tell external connections should be allowed.
    I have used IP address, and FQDN for localhost with no success.
    I have tried to use any host as in a wildcard %, or use the root account with no luck.
    Any help is appreciated.

    The error message eliminates any possibility of a network issue.
    The fact you're getting an 'Access denied for user' error means you're talking to MySQL, so that means that neither hostname/IP address or the firewall are an issue - if they were you'd get a 'Can't connect' error message.
    So it all comes down to your MySQL permissions. There has to be some combination of username, password and hostname that MySQL has explicit permissions for. Off hand, I don't recall what the MySQL logs will have to say about it but you should examine the MySQL grant/permissions table more closely.

  • How to get result behave differently for one column?

    Hi,
    I have 3 columns in a Bex report say A, B and C.
    C = A % B.
    Results for columns as desired :
    Result of A = Summation of all values of A
    Result of B = Summation of all values of B
    <u><b>Result of C = Result of A % Result of B.</b></u>
    But at present result for C = Summation of all values of C.
    How to achieve the result for C as desired i.e Result of A % Result of B?
    Plz note formula for column C is already there and equal to A% B.
    All help appreciated and rewarded by points.
    Thanks,
    Gaurav
    Message was edited by:
            Gaurav
    Message was edited by:
            Gaurav

    Gaurav,
    Just interested ..
    Isn't your scenario something like this?
    A     B     C (%)
    2     4     50
    2     8     25
    4     12     75  (Result)  this is right 4%12
    Would n't the Result of percentages C be equal to Result of A % Result of B?
    Maybe I am missing something completely.
    Mathew.
    Message was edited by:
            Mathew Muthalaly

  • How to get website downtime and uptime information

    Hi All,
    We have developed application in webcenter portal framework.
    We want analytics to show the website downtime and uptime informattion.
    Does Webcenter Analytics or any other utility does provide this feature..
    Any suggestions other than webcenter also accepted if any open source tools available
    Thanks!

    Ok , try if this suit your needs,
    Try EM->ServerName->PerformanceSummary>Any suitable metrics.
    During your server down time all your Bean related metrics will be down and you can generate a report too.
    Let me know if this helps.

Maybe you are looking for

  • Right-Click on an entry no longer works

    All of a sudden when I right-click on an entry the drop down box to copy, paste, etc has vanished. Help! I used the calendar all the time and and this helps in the process. Thanks for all the help.

  • How do you cancel an auto re-newing subscription?

    i accidently made a subscription, i dont want it nor do i want it to be re-newed... if someone can help me cancel the subscription that would help, if not at least make the re-newing stop.

  • Deletion-flag for product in GTS?

    Hi, I have a question regarding the deletion-flag of a material/product. 1. I set the deletion flag of a material in ECC (mm06). 2. The changes of the material are transferred to GTS with the use of a batch job. Question: Is there any way, in GTS, to

  • Finder asks for password everytime I apply a tag

    How can I get rid of this? Already tried Disk Utility Permissions Repair, but i think there is some kind of configuration to stop this. Anyone may help me? Thanks a lot.

  • Neither Ipad nor Iphone showing up in Itunes on computer running windows 8

    Neither Ipad Gen 4  nor Iphone 5 showing up in Itunes. Computer running windows 8. Have tried rmoving and re downloading Itunes to no effect. Any ideas out there?