Cheap and Reliable Hosting :: Best SharePoint Hosting Review

SharePointIHostAzure.com | Cheap and Reliable SharePoint 2013 hosting. SharePoint was developed by Microsoft in 2001, a popular web application framework based on ASP.NET and MS SQL database. It is mainly used and good for intranet portals, social networks, extranet portals, enterprise search etc. because it is simple, secure and cost-effective to collaborate, organize and share. As a result, it helps increase productivity.

Here in this article, we will introduce a hosting provider best compatible with SharePoint, namely ASPHostPortal. This company not only meets SharePoint requirements on ASP.NET and MS SQL, but also provides SharePoint hosting for small firms as well as large organizations with different packages.

Who is ASPHostPortal.com ?

asppASPHostPortal is an experienced web hosting provider, who has been in this industry. ASPHostPortal.com is Microsoft No #1 Recommended Windows and ASP.NET Spotlight Hosting Partner in United States. Microsoft presents this award to ASPHostPortal.com for ability to support the latest Microsoft and ASP.NET technology, such as: WebMatrix, WebDeploy, Visual Studio 2012, .NET 4.5.1/ASP.NET 4.5, ASP.NET MVC 5.0/4.0, Silverlight 5 and Visual Studio Lightswitch. 

SharePoint Hosting Offers a Wide Range of Features

ASPHostPortal knows needs of customers deeply and it launches 2 SharePoint hosting packages: Standard is for small business and Advanced is aimed at large corporations and organizations. The basic features they include are as following:

  • 1 SharePoint Websites
  • 50 GB Bandwidth
  • 5 GB Doc Storage Space
  • 10 Number of User Accounts
  • SharePoint Designer 2013
  • Unlimited Email Accounts
  • 30-Days Money Back Guarantee
  • starting from $9.99/mo

Moreover, ASPHostPortal SharePoint hosting is much helpful to improve work efficiency and increase productivity. Discussion boards provide team members with a secure place to communicate instead of interacting via emails one by one. Besides, ASPHostPortal SharePoint allows creating specific websites for specific projects and teams.

Beyond that, websites with ASPHostPortal SharePoint is customizable to fit customers’ different business needs. These features plus other features like rich free templates and mobile view, make ASPHostPortal SharePoint hosting best to have a try.

ASPHostPortal SharePoint Hosting Has Extraordinary Performance

With 8 data center in utilization throughout world, ASPHostPortal is one of a few companies, offering 100% uptime. The common main features of these datacenters include spacious room for servers, redundant power supplied by UPS and backup generators, optimum temperature controlled by cooling equipment and so on.

More than that, the network infrastructure in every datacenter is well designed to optimize speed. And ASPHostPortal makes use of the latest network hardware, like Brocade routers, BGP4, rock solid transfer switches etc. Backbone connection providers are famous and top as well, including Level 3, Zayo, Time Warner and much more.

In addition to regular datacenter security measures, such as 24/7 monitoring, ASPHostPortal SharePoint offers other security protection. For instance, webmasters could give access levels to maintain security.

ASPHostPortal Customer Services for SharePoint Hosting

ASPHostPortal has five main services: cloud hosting, shared hosting, reseller hosting, sharepoint and windows server. Each service has dedicated technicians who are professional in that part and responsible for supporting customers to improve support efficiency and customer satisfaction as well.

As for SharePoint hosting customers, they will get premium help as well via ticket and live chat. Both two are available to customers 24 hours a day including holidays. Or else, customers can call its general support. Anyway, it is easy to get ASPHostPortal support. Additionally, ASPHostPortal online SharePoint resources are easy to find to answer questions from customers.
ASPHostPortal is the Best SharePoint Hosting

To sum up, as a leader in SharePoint hosting, ASPHostPortal is indeed excellent and professional in every aspect. Features are rich, pricing is reasonable, performance is great and customer services are efficient. No matter which size business or organization websites are, ASPHostPortal SharePoint hosting is the best option
For more information, please visit http://asphostportal.com/

Cheap and Reliable Hosting :: TIPS for Ajax Developers in ASP.NET MVC

IHostAzure.com | Cheap and reliable ASP.NET MVC hosting. This is another quick blog post for the ASP.NET developers, who’re using ajax (or are going to use the ajax in their applications for async calls for the data to the server), and might be getting confused in the View-part of the MVC pattern. This blog post, would try to tip them up with a simple method of creating ajax functionality in their applications, and how to get the confusion about View-part clear. The background to this post is a question, that arose, of how to use the ajax to get the data in ASP.NET MVC framework. Although that was a simple task, but I know new developers get into trouble in making the logic, that is why I am writing this blog post, to explain the core-concept of the behaviour.

Getting hands dirty in some ASP.NET code

First stage would be to write the back-end code for our application, which is the ASP.NET MVC application. Wait, the first thing I want to elaborate here is that ajax requests don’t usually require you to send entire HTML markup, to be rendered. Usually, ajax requests are used to download just a few details about the user, such as their name, their company name, or a little message such as success message for the process user has started. That is why, sending entire HTML markup would take a lot of time, and network size, by sending entire XML tree as HTML markup.

asp.net2.jpgThat is why, I am going to not-create any View in this project. But I am going to work with just a single Controller. That controller would be used to perform all of the actions, and after the controller has been made, I am going to use the Route mechanism to allow custom URLs in  application; which do not map to our actual HTML files on the application set up. Don’t worry, as the application would build up, the concept of this paragraph would start to get some gravity and you will understand it how did I do and what you would do in order to create your own Ajax running ASP.NET MVC application.

First of all, let us create a Controller. To create a controller, you can get some help from Visual Studio, click on the Controllers folder and Add Controller to it. Name it, what so ever you want to. I named it as AjaxController; to specify that it would control all of the ajax requests over HTTP protocol. Once that has been done, you can create your own action methods that would response to your own personal functions. I didn’t bother creating any complex task, instead I just simply created a function, named it as “CustomAction”. It would be used as the URL to our ajax handling web page.

Inside that page, you would write the following code, to handle it and provide the result to it. Like simple C# application, the functions can have any return data type and thus, in ASP.NET MVC application we can, instead of a View, return a string (or any other data type object) that would be sent down to the client as the response to his ajax request. It would be much simpler, and much shorter in structure.

using System;
using System.Collections.Generic;
using System.Linq;
using System.Web;
using System.Web.Mvc;

namespace AjaxRequests_in_ASPNET_MVC.Controllers
{
   public class AjaxController : Controller
   {
      // GET: Ajax
      public string Index()
      {
         return "Not allowed";
      }

      // Our custom action, URL would be /ajax/customaction
      public string CustomAction()
      {
         // We're going to return a string, not a view.
         return "Hello world, using Ajax in ASP.NET MVC application.";
      }
   }
}

The above code would return a string, that can be then used as a response and rendered into the HTML or done what-so-ever with it.

Now let us change the routes to actually let the application run without having to use a web page that is a View inside the Ajax folder in our Views folder. Open the App_Start folder, and inside there open the RouteConfig file, and inside it. Write this new route.MapPath() function

// Create a new route, set the controller to "Ajax" and the remaining would be the Action
// Note that there are no Views in the Views folder to map to this location.
routes.MapRoute(
   name: "AjaxController",
   url: "Ajax/{action}",
   defaults: new {controller = "Ajax"}
);

Now this code would create a routing scheme in your application, and is able to let your application run without actually having to have a specific file at that location to run and handle the ajax request. In the above code, I am using the URLs of the type “/ajax/customajax“, in this URL ajax is a constant string value, used as a path, and then the customajax would be the action of the controller. When this URL would be called, ASP.NET would execute the CustomAjax action of the controller, and would return the string result inside the function.

TIPS for Ajax Developers in ASP.NET MVC

Performing the ajax code

The ajax code for this project is simple jQuery code to create an async request to the server, to download some more data. But before I share the code for the ajax request, I would like you to make a few changes in the _Layout.cshtml file of your project. The change is to include the jQuery library in the project, so that in the web page you can use the jQuery (because we will be using that layout). Add this line of code to your HTML markup’s <head> element.

<script src="~/Scripts/jquery-1.10.2.js"></script>

Now that the jQuery has been added to your HTML DOM, you can use this library in other pages which has this page set as their layouts, to make use of the jQuery syntax and other objects. I will be using the ajax.

The following code depicts the code used for an example ajax request

$(document).ready(function () {
   $.ajax({
      // The URL
      url: "ajax/customaction",
      // If the request was successfull; which will be, if it is not successfull check for errors
      success: function (data) {
         // Alert the data; it would be "Hello world, using Ajax in ASP.NET MVC application."
        alert(data);
      }
   });
});

Now once this code would run, it would try to make a call to the URL specified, in the above section we discussed how ASP.NET would handle that request using the routings and action methods, and then would return a single string value. It would finally alert the user with the string that would be returned. That would be a single ajax running application, which would return simple plain message to the user without any complex and large sized View.


No #1 Recommended ASP.NET MVC Hosting

ASPHostPortal.com

ASPHostPortal.com  is the leading provider of Windows hosting and affordable ASP.NET  MVC Hosting. ASPHostPortal proudly working to help grow the backbone of the Internet, the millions of individuals, families, micro-businesses, small business, and fledgling online businesses. ASPHostPortal has ability to support the latest Microsoft and ASP.NET technology, such as: WebMatrix, WebDeploy, Visual Studio 2015, .NET 5/ASP.NET 4.5.2, ASP.NET MVC 6.0/5.2, Silverlight 6 and Visual Studio Lightswitch, ASPHostPortal guarantees the highest quality product, top security, and unshakeable reliability, carefully chose high-quality servers, networking, and infrastructure equipment to ensure the utmost reliability.

HostForLIFE.eu

HostForLIFE.eu guarantees 99.9% uptime for their professional ASP.NET MVC hosting and actually implements the guarantee in practice. HostForLIFE.eu is the service are excellent and the features of the web hosting plan are even greater than many hosting. HostForLIFE.eu offer IT professionals more advanced features and the latest technology. Relibility, Stability and Performance of  servers remain and TOP priority. Even basic service plans are equipped with standard service level agreements for 99.99% uptime. Advanced options raise the bar to 99.99%. HostForLIFE.eu revolutionized hosting with Plesk Control Panel, a Web-based interface that provides customers with 24×7 access to their server and site configuration tools.

DiscountService.biz

DiscountService.biz is The Best and Cheap ASP.NET MVC Hosting. DiscountService.biz was established to cater to an under served market in the hosting industry web hosting for customers who want excellent service. DiscountService.biz guarantees the highest quality product, top security, and unshakeable reliability, carefully chose high-quality servers, networking, and infrastructure equipment to ensure the utmost reliability. DiscountService.biz has ability to support the latest Microsoft and ASP.NET technology, such as: WebMatrix, WebDeploy, Visual Studio 2015, .NET 5/ASP.NET 4.5.2, ASP.NET MVC 6.0/5.2, Silverlight 6 and Visual Studio Lightswitch. DiscountService.biz is devoted to offering the best Windows hosting solution for you.


Cheap and Reliable Hosting :: How to Send Mail to Multiple Users Using Parallel Programming in ASP.NET

How to Send Mail to Multiple Users Using Parallel Programming in ASP.NET

IHostAzure.com| cheap and reliable ASP.NET 5 Hosting. Hi guys today I will sharing code about how to Send Mail to Multiple Users Using Parallel Programming in ASP.NET C#. Ok let me to show you.

The following is the table design from where I am fetching employee records.

Code

CREATE TABLE [dbo].[Employee](  
    [Emp_ID] [int] IDENTITY(1,1) NOT NULL,  
    [Name] [varchar](50) NULL,  
    [Email] [varchar](500) NULL,  
    [Designation] [varchar](50) NULL,  
    [City] [varchar](50) NULL,  
    [State] [varchar](50) NULL,  
    [Country] [varchar](50) NULL,  
 CONSTRAINT [PK_Employee] PRIMARY KEY CLUSTERED   
(  
    [Emp_ID] ASC  
)WITH (PAD_INDEX  = OFF, STATISTICS_NORECOMPUTE  = OFF, IGNORE_DUP_KEY = OFF, ALLOW_ROW_LOCKS  = ON, ALLOW_PAGE_LOCKS  = ON) ON [PRIMARY]  
) ON [PRIMARY]  
  
GO 

 The following is my aspx:

<%@ Page Language="C#" AutoEventWireup="true" CodeBehind="Default.aspx.cs" Inherits="SendMailToMultipleUsers.Default" %>  
<!DOCTYPE html>  
<html xmlns="http://www.w3.org/1999/xhtml">  
<head runat="server">  
    <title>Send Mail To Multiple Users in ASP.NET C#</title>  
</head>  
<body>  
    <form id="form1" runat="server">  
        <div>  
            <table style="border: solid 15px blue; width: 100%; vertical-align: central;">  
                <tr>  
                    <td style="padding-left: 50px; padding-top: 20px; padding-bottom: 20px;   
                            background-color: skyblue; font-size: 20pt; color: orangered;">  
                        Send Mail To Multiple Users in ASP.NET C#  
                    </td>  
                </tr>  
                <tr>  
                    <td style="text-align: left; padding-left: 50px; border: solid 1px red;">  
                        <asp:GridView ID="GridViewEmployee" runat="server" AutoGenerateColumns="False" Width="90%"  
                            BackColor="White" BorderColor="#3366CC" BorderStyle="None" BorderWidth="1px"  
                            CellPadding="4" GridLines="Both">  
                            <Columns>  
                                <asp:TemplateField HeaderText="Select">  
  
                                    <ItemTemplate>  
                                        <asp:CheckBox ID="chkSelect" runat="server" />  
                                    </ItemTemplate>  
                                </asp:TemplateField>  
                                <asp:BoundField DataField="Name" HeaderText="Employee Name" />  
                                <asp:BoundField DataField="Email" HeaderText="Email" />  
                                <asp:BoundField DataField="Designation" HeaderText="Designation" />  
                                <asp:BoundField DataField="City" HeaderText="City" />  
                                <asp:BoundField DataField="State" HeaderText="State" />  
                                <asp:BoundField DataField="Country" HeaderText="Country" />  
                            </Columns>  
                            <FooterStyle BackColor="#99CCCC" ForeColor="#003399" />  
                            <HeaderStyle BackColor="#003399" Font-Bold="True" ForeColor="#CCCCFF" />  
                            <PagerStyle BackColor="#99CCCC" ForeColor="#003399" HorizontalAlign="Left" />  
                            <RowStyle BackColor="White" ForeColor="#003399" />  
                            <SelectedRowStyle BackColor="#009999" Font-Bold="True" ForeColor="#CCFF99" />  
                        </asp:GridView>  
                    </td>  
                </tr>  
                <tr>  
                    <td align="right">  
                        <asp:Button ID="btnSendMail" Text="Send Mail" OnClick="btnSendMail_Click" runat="server" />  
                    </td>  
                </tr>  
            </table>  
        </div>  
    </form>  
</body>  
</html> 
using System;  
using System.Collections.Generic;  
using System.Linq;  
using System.Web;  
using System.Web.UI;  
using System.Web.UI.WebControls;  
using System.Data;  
using System.Data.SqlClient;  
using System.Net.Mail;  
using System.Net;  
using System.Threading.Tasks;  
  
namespace SendMailToMultipleUsers  
{  
    public partial class Default : System.Web.UI.Page  
    {  
        SqlDataAdapter da;  
        DataSet ds = new DataSet();  
        DataTable dt = new DataTable();  
  
        protected void Page_Load(object sender, EventArgs e)  
        {  
            if (!Page.IsPostBack)  
                this.BindGrid();  
        }  
  
        private void BindGrid()  
        {  
            SqlConnection con = new SqlConnection();  
            ds = new DataSet();  
            con.ConnectionString = @"Data Source=INDIA\MSSQLServer2k8; Initial Catalog=EmployeeManagement; Uid=sa; pwd=india;";  
            SqlCommand cmd = new SqlCommand("SELECT * FROM EMPLOYEE", con);  
  
            da = new SqlDataAdapter(cmd);  
            da.Fill(ds);  
            con.Open();  
            cmd.ExecuteNonQuery();  
            con.Close();  
  
            if (ds.Tables[0].Rows.Count > 0)  
            {  
                GridViewEmployee.DataSource = ds.Tables[0];  
                GridViewEmployee.DataBind();  
            }  
        }  
  
        protected void btnSendMail_Click(object sender, EventArgs e)  
        {  
            DataTable dt = new DataTable();  
            dt.Columns.AddRange(new DataColumn[2] { new DataColumn("Name", typeof(string)),  
                        new DataColumn("Email",typeof(string)) });  
  
  
            foreach (GridViewRow row in GridViewEmployee.Rows)  
            {  
                if ((row.FindControl("chkSelect") as CheckBox).Checked)  
                {  
                    dt.Rows.Add(row.Cells[1].Text, row.Cells[2].Text);  
                }  
            }  
  
  
            string body = "Hi This is test Mail.<br /><br />Thanks.";  
  
  
            Parallel.ForEach(dt.AsEnumerable(), row =>  
            {  
                SendEmail(row["Email"].ToString(), row["Name"].ToString(), body);  
            });  
        }  
  
        private bool SendEmail(string To, string ToName, string body)  
        {  
            try  
            {  
                MailMessage mm = new MailMessage("yourEmailID@gmail.com", To);  
                mm.Subject = "Welcome " + ToName;  
                mm.Body = body;  
                mm.IsBodyHtml = true;  
                SmtpClient smtp = new SmtpClient();  
                smtp.Host = "smtp.gmail.com";  
                smtp.EnableSsl = true;  
                NetworkCredential NetworkCred = new NetworkCredential();  
                NetworkCred.UserName = "yourEmailID@gmail.com";  
                NetworkCred.Password = "<YourGmailPassword>";  
                smtp.UseDefaultCredentials = true;  
                smtp.Credentials = NetworkCred;  
                smtp.Port = 587;  
                smtp.Send(mm);  
                return true;  
            }  
            catch (Exception ex)  
            {  
                return false;  
            }  
        }  
    }  
}

 Happy Coding

Cheap and Reliable ASP.NET 5 Hosting 2015

ASPHostPortal.com

ASPHostPortal.com is the leading provider of Windows hosting and affordableASP.NET 5 Hosting. ASPHostPortal proudly working to help grow the backbone of the Internet, the millions of individuals, families, micro-businesses, small business, and fledgling online businesses. ASPHostPortal has ability to support the latest Microsoft and ASP.NET technology, such as: WebMatrix, WebDeploy, Visual Studio 2015, .NET 5/ASP.NET 4.5.2, ASP.NET MVC 6.0/5.2, Silverlight 6 and Visual Studio Lightswitch, ASPHostPortal guarantees the highest quality product, top security, and unshakeable reliability, carefully chose high-quality servers, networking, and infrastructure equipment to ensure the utmost reliability.

HostForLIFE.eu

HostForLIFE.eu guarantees 99.9% uptime for their professional ASP.NET 5 hosting and actually implements the guarantee in practice. HostForLIFE.eu is the service are excellent and the features of the web hosting plan are even greater than many hosting. HostForLIFE.eu offer IT professionals more advanced features and the latest technology. HostForLIFE.eu has supported  ASP.NET 5,  Relibility, Stability and Performance of  servers remain and TOP priority. Even basic service plans are equipped with standard service level agreements for 99.99% uptime. Advanced options raise the bar to 99.99%. HostForLIFE.eu revolutionized hosting with Plesk Control Panel, a Web-based interface that provides customers with 24×7 access to their server and site configuration tools.

DiscountService.biz

DiscountService.biz is The Best and Cheap ASP.NET 5 Hosting. DiscountService.biz was established to cater to an under served market in the hosting industry web hosting for customers who want excellent service. DiscountService.biz guarantees the highest quality product, top security, and unshakeable reliability, carefully chose high-quality servers, networking, and infrastructure equipment to ensure the utmost reliability. DiscountService.biz has ability to support the latest Microsoft and ASP.NET technology, such as: WebMatrix, WebDeploy, Visual Studio 2015, .NET 5/ASP.NET 4.5.2, ASP.NET MVC 6.0/5.2, Silverlight 6 and Visual Studio Lightswitch. DiscountService.biz is devoted to offering the best Windows hosting solution for you.

Cheap and Reliable Hosting :: Best Recommendation SharePoint 2013 Hosting in Australia

server-icon

IHostAzure.com | Cheap and Reliable SharePoint 2013 Hosting. SharePoint hosting is often seen as an alternative to running it withinyour own organization. It seems like it would give you to the flexibility to run SharePoint with customizations unavailable in SharePoint Online, coupled with the cost savings achieved by cloud computing and outsourcing the high people costs associated with an on-premise deployment.

Introduction of SharePoint Hosting :

When you use “SharePoint hosting” to search on the Internet, you’re hard to find a web host offering the feature, even you’ve found one supported the feature, their price is always too expensive to afford.

If you’re looking for a Cheap and Reliable SharePoint hosting provider with budget cost, then you’re lucky to find the correct place, here we’d like to recommend best web hosts fully supporting Sharepoint on their web servers.

What’s SharePoint?

SharePoint is a popular web application platform developed by Microsoft Corporation and first released in 2001. The latest edition of SharePoint 2013 which was released at the end of 2012 year and many new features have been added for advanced enterprise-class users. Here are some noticeable features of SharePoint:

  • SharePoint integrates with a series of newest web technologies which’re backed by a common technical infrastructure.
  • SharePoint has a user-friendly interface much alike Microsoft Office and integrated with Office suite in SharePoint 2013.
  • As a leading platform of web application, SharePoint provides the requirements of implementation with effective governance, central management system and enhanced security controls.
  • Integrated with IIS entry directly – enabling massive management, scalability and flexibility.

Who’s the Best SharePoint hosting provider?

After reviewed over 100 different Microsoft Windows hosting companies, DiscountService.biz is awarded as the first choice for cheap and reliable SharePoint hosting provider relies on its superior performance, strong reliability, lightning page speed, professional technical support and responsive customer service, as well as fairly good reputation in the industry. Currently, there has over 50,000 customers with over 500,000 websites and domain names are under their management, and new members are joining them everyday. Their customers are coming from every corner of the planet, covering four continents and over 170 countries. No matter what your needs for running a secure, secure and fast SharePoint website, DiscountService.biz is always able to provide an available web hosting solution to you.

SharePoint Hosting Plans

  • 1 SharePoint Websites
  • 50 GB Bandwidth
  • 5 GB Doc Storage Space
  • 10 Number of User Accounts
  • SharePoint Designer 2010
  • Unlimited Email Accounts
  • Support Custom WebParts
  • SharePoint Site Usage Reports
  • Support SSL
  • Users Administration
  • Intl Language Packs*
  • Public-Facing Access*
  • $10.00/month (3 Years Plan)
  • $13.00/month (1 Year Plan)
  • $15.00/month (3 months plan)
  • 30-Days Money Back Guarantee

Why Choose DiscountService.biz as Cheap and Reliable SharePoint 2013 in Australia

  • DiscountService.biz is a line of business under Macrodata Enterprise (ABN: 42 797 697 621), specializes in providing web hosting service to customers in Australia. DiscountService.biz was established to cater to an under served market in the hosting industry; web hosting for customers who want excellent service. This is why DiscountService.biz continues to prosper throughout the web hosting industry’s maturation process.
  • DiscountService.biz focus on offering affordable Windows shared hosting. That’s all they do and that is all they will ever do. their new Windows 2008 / Windows 2012 hosting platform is perfect for your ASP.NET hosting needs and in case you need support on Windows 2003 Hosting Platform, they still support it!
  • DiscountService.biz guarantees the highest quality product, top security, and unshakeable reliability. DiscountService.biz carefully choose high-quality servers, networking, and infrastructure equipment to ensure the utmost reliability.

 

Cheap And Reliable Hosting :: How Setup SharePoint 2013 On Windows Azure Part 2

Yesterday i had explains about how setup SharePoint 2013 on Windows Azure Part 1, today we will continue it step by step setup SharePoint on Windows Azure Part 2.

Install and Configure Domain Controller

In the last article we saw how to create the network components. In this article we will see how to install and configure the domain controller.

Create Domain Controller VM

Go to “New Virtual Machine” and from the “Gallery” choose “Windows Server 2012 DataCenter”. Select the size as medium to begin with as shown below.

Configuing Domain Controller

Once the Domain Controller is provisioned, click on the “Connect” button and RDP into the DC machine. Click on “Add Roles and Features” and follow the procedure as shown below. In the Server Roles section, choose “Active Directory Domain Services”.
SharePoint-2.jpg

SharePoint-3.jpg

SharePoint-4.jpg
Click on “Add Features” and then on the “Confirmation” tab click on “Install”. Once this is done you may be required to restart the server. Restart and again RDP into the DC Server. Near “Manage this server” click on the yellow triangle and click on “Promote to Domain Controller”.
SharePoint-5.jpg

Follow the steps below. Add a new Forest. Mention the domain name you wish.
SharePoint-6.jpg

SharePoint-7.jpg

You can ignore the following DNS Options error.
SharePoint-8.jpg

Change the paths if required of the ADDS Database, log and SYSVOL folders. If you have added extra external disks then this can point to them as well.
SharePoint-9.jpg
SharePoint-10.jpg
Once you click on “Install”, the prerequisites will be installed and your DC Server is ready to add users.

Add new user accounts to the domain

As in on-premise installation we will add 4 users to this domain

  • “sp_farm” to manage the SharePoint farm
  • “sp_farm_db” to have sysadmin rights on SQL Server instances.
  • “sp_install” to have domain administration rights needed for installing roles and features
  • “sqlservice” to have an identity that SQL instances can run as

sp_install user configuration

We will specifically take this user siince there are some extra steps required to configure this user. The other 3 users are simple user creations. From “Action” –> “New” –> “User”:
SharePoint-11.jpg
SharePoint-12.jpg

Add “sp_install” to the Domain Admin Group as shown below:
SharePoint-13.jpg

Go to “Domain” –> “Properties” –> “Security Tab” then click the “Advanced” button then select the “Pronciple” link then type “sp_install” as shown in the following procedure.
SharePoint-14.jpg

SharePoint-15.jpg

SharePoint-16.jpg

SharePoint-17.jpg

Select “Read All Properties” and “Create Computer Objects” as shown below.
SharePoint-18.jpg

In the next article we will see how to install and configure SQL Server for SharePoint Server 2013 on Windows Azure.

Best Recommended SharePoint 2013 Hosting

ASPHostPortal.com

ASPHostPortal.com is Perfect, suitable hosting plan for a starter in SharePoint. ASPHostPortal  the leading provider of Windows hosting and affordable SharePoint Hosting. ASPHostPortal proudly working to help grow the backbone of the Internet, the millions of individuals, families, micro-businesses, small business, and fledgling online businesses. ASPHostPortal has ability to support the latest Microsoft and ASP.NET technology, such as: WebMatrix, WebDeploy, Visual Studio 2015, .NET 5/ASP.NET 4.5.2, ASP.NET MVC 6.0/5.2, Silverlight 6 and Visual Studio Lightswitch, ASPHostPortal guarantees the highest quality product, top security, and unshakeable reliability, carefully chose high-quality servers, networking, and infrastructure equipment to ensure the utmost reliability.

HostForLIFE.eu

HostForLIFE.eu guarantees 99.9% uptime for their professional SharePoint hosting and actually implements the guarantee in practice. HostForLIFE.eu is the service are excellent and the features of the web hosting plan are even greater than many hosting. HostForLIFE.eu offer IT professionals more advanced features and the latest technology. Relibility, Stability and Performance of  servers remain and TOP priority. Even basic service plans are equipped with standard service level agreements for 99.99% uptime. Advanced options raise the bar to 99.99%. HostForLIFE.eu revolutionized hosting with Plesk Control Panel, a Web-based interface that provides customers with 24×7 access to their server and site configuration tools.

DiscountService.biz

DiscountService.biz is The Best and Cheap SharePoint Hosting. DiscountService.biz was established to cater to an under served market in the hosting industry web hosting for customers who want excellent service. DiscountService.biz guarantees the highest quality product, top security, and unshakeable reliability, carefully chose high-quality servers, networking, and infrastructure equipment to ensure the utmost reliability. DiscountService.biz has ability to support the latest Microsoft and ASP.NET technology, such as: WebMatrix, WebDeploy, Visual Studio 2015, .NET 5/ASP.NET 4.5.2, ASP.NET MVC 6.0/5.2, Silverlight 6 and Visual Studio Lightswitch. DiscountService.biz is devoted to offering the best Windows hosting solution for you.

 

Cheap And Reliable Hosting :: How to Setup SharePoint 2013 on Windows Azure Part 1

How To : Setup SharePoint 2013 Virtual machine on Windows Azure

IHostAzure.com| Cheap And Reliable Hosting. In this article I will explains step by step  How to Setup SharePoint 2013 on Windows Azure.

I was very excited with my MSDN subscription on Windows Azure and wanted to quickly set up SharePoint Server 2013 on the Windows Azure infrastructure. I started by logging and  entered my credentials and started with the screen as shown below.

SharePoint-1.jpg

Wrong way of provisioning SharePoint Server 2013 on Windows Azure

I see a SharePoint Server 2013 Trial image virtual machine in the Gallery and started directly provisioning the SharePoint Server thinking that a single standalone SharePoint Server 2013 will be provisioned.

SharePoint-2.jpg

But after the VM was provisioned and I attempted to launch the SharePoint Administrator as done on the premise of SharePoint Server 2013 installation, I soon realised that this template (VM image) is not meant for a single standalone SharePoint Server 2013 installation. I get the following message:


SharePoint-3.jpg

 

Correct way of provisioning SharePoint Server 2013 on Windows Azure

At the minimum, there are 4 steps and multiple sub-steps that need to be followed to properly provision SharePoint Server 2013 on Windows Azure. So the 3 steps are as follows:

  • Create and Configure Network components
  • Install and Configure Domain Controller
  • Install and Configure SQL Server
  • Install and Configure SharePoint Server 2013

In this article we will see the initial step details and in subsequent articles we will see the remaining steps.

Create and configure Network components

So the first step is to create and configure network components. At the minimum we will need the following network components:

  • One Virtual Private Network
  • One DNS Server
  • Three Subnets
  • One Windows Azure Storage Account

Create VPN

Click on the Network Services in the Windows Azure Manage portal and click on “New”. Enter the details such as Name and Region as shown below.


SharePoint-4.jpg

Create a DNS Server as shown below. Choose the IP as “10.0.0.4” since this is the static IP given to the DNS Server. Note: I realised this when I got an error to connect other servers to the domain.

SharePoint-5.jpg

Create SubNets

I have created 4 subnets below but a minimum of 3 is required for a small farm where AppSubnet and WebSubnet can be clubbed together. As the name suggests, we are using these for the Domain Controller, SQL Database, Application Server and Web Server roles.


SharePoint-6.jpg

 

Once all this is done, click on the “OK” tab and wait for a few minutes; your VPN will be created as shown below.

 

SharePoint-7.jpg

Create a storage account

After the network is ready, as shown below create a storage account. Give it a name and follow the wizard. Your storage account will be created.

SharePoint-8.jpg

 

In the next article we will see how to create and configure a domain controller.

Best Recommended SharePoint 2013 Hosting

ASPHostPortal.com

ASPHostPortal.com is Perfect, suitable hosting plan for a starter in SharePoint. ASPHostPortal  the leading provider of Windows hosting and affordable SharePoint Hosting. ASPHostPortal proudly working to help grow the backbone of the Internet, the millions of individuals, families, micro-businesses, small business, and fledgling online businesses. ASPHostPortal has ability to support the latest Microsoft and ASP.NET technology, such as: WebMatrix, WebDeploy, Visual Studio 2015, .NET 5/ASP.NET 4.5.2, ASP.NET MVC 6.0/5.2, Silverlight 6 and Visual Studio Lightswitch, ASPHostPortal guarantees the highest quality product, top security, and unshakeable reliability, carefully chose high-quality servers, networking, and infrastructure equipment to ensure the utmost reliability.

HostForLIFE.eu

HostForLIFE.eu guarantees 99.9% uptime for their professional SharePoint hosting and actually implements the guarantee in practice. HostForLIFE.eu is the service are excellent and the features of the web hosting plan are even greater than many hosting. HostForLIFE.eu offer IT professionals more advanced features and the latest technology. Relibility, Stability and Performance of  servers remain and TOP priority. Even basic service plans are equipped with standard service level agreements for 99.99% uptime. Advanced options raise the bar to 99.99%. HostForLIFE.eu revolutionized hosting with Plesk Control Panel, a Web-based interface that provides customers with 24×7 access to their server and site configuration tools.

DiscountService.biz

DiscountService.biz is The Best and Cheap SharePoint Hosting. DiscountService.biz was established to cater to an under served market in the hosting industry web hosting for customers who want excellent service. DiscountService.biz guarantees the highest quality product, top security, and unshakeable reliability, carefully chose high-quality servers, networking, and infrastructure equipment to ensure the utmost reliability. DiscountService.biz has ability to support the latest Microsoft and ASP.NET technology, such as: WebMatrix, WebDeploy, Visual Studio 2015, .NET 5/ASP.NET 4.5.2, ASP.NET MVC 6.0/5.2, Silverlight 6 and Visual Studio Lightswitch. DiscountService.biz is devoted to offering the best Windows hosting solution for you.