C# 2013 Express Web WebDriver Automation. Introduction tutorial

Size: px
Start display at page:

Download "C# 2013 Express Web WebDriver Automation. Introduction tutorial"

Transcription

1 C# 2013 Express Web WebDriver Automation Introduction tutorial John Sumner 2015

2 Contents Introduction... 3 Section 1. Introduction to C# 2013 Express for Web... 3 Installation of Microsoft Visual C# 2013 Express for Web... 3 Checklist:... 3 Creating the Test Automation Project... 3 Installing NuGet Packages Just a quick note on NuGet Selenium WebDriver NuGet Installation... 4 NUnit Installation... 4 Adding a Post Build Step... 5 Ready to code! Implement a Basic Text Fixture... 5 Section 2. Chrome and IE Driver Expansion... 6 Obtaining the drivers... 6 ChromeDriver... 6 Amending the Code... 6 Section 3. Driver with App.config... 7 To add an application configuration file to your C# project... 7 Section 4. Create the Driver Class A New Class of Driver Section 5. Creating the Multi Test Project Creating the Folder Structure Creating the webdriver.cs Creating the exampletest.cs Creating the testfixture.cs Now for the code Section 6. Conclusions

3 Introduction This tutorial shows the implementation of Selenium using C# Express 2013 for Web available from Microsoft. This set of tutorials is ideal for first time testing engineers starting down web automation, companies who are investigating automation that wish to keep costs to a minimum or even individuals who are looking into personal web automation setups. I have used only tools which are free to download and use in the following sections with the idea that people can see the automation without having to pay for tools or setup. I hope that this setup of tutorials is useful in providing an insight into the world of web automation. Section 1. Introduction to C# 2013 Express for Web Selenium WebDriver is quickly becoming the industry standard testing tool for web applications and sites. Its power is only matched by its flexibility. As such many testing engineers are looking at ways to increase their exposure of Selenium and its becoming more common to expand this beyond the typical Java Environments. One of these is C#. There are many different tutorials out there that combine into solution that runs that if you have the right tools can function. This blog is intended on showing you how to construct a C# environment without any paid tools to complete a solution that allows testing engineers move forwards with Selenium Testing through the use of C#. When completed you will have automated your first website test! Please note that this is a beginners tutorial designed for individuals that do not have access to full versions of Microsoft Visual Studio, and therefore some steps are manual. Company investments in such automation will usually have Microsoft Visual Studio, for which another tutorial will be available later. Installation of Microsoft Visual C# 2013 Express for Web The first component is the IDE (Integrated Development Environment). Since C# is a development language from then the IDE that can be installed is from their Express Range. The Express solutions are free registered editions. For the purpose of this blog I am going to be focusing on Microsoft Visual C# 2013 Express for Web. This is available here. Please note you will have to select the Express 2013 for Web download, and a Microsoft Account is required. Proceed with the installation of the Microsoft Visual C# 2013 Express for Web IDE and the first step of the Automation Suite is completed. For this introduction session, its required you have Mozilla Firefox installed. Whilst Selenium is compatible with other browsers they require drivers which will be covered later in the tutorial. Checklist: Microsoft Visual C# 2013 Express for Web Mozilla Firefox Creating the Test Automation Project With all of the tools installed, its now time to start the creation of the Project. Its worthwhile noting that since we are creating elements of a Project that are manual based on the tools we use, that you might want to consider using this opportunity to create a template project for re-use later, saving you repeating all the steps time and time again.

4 Start Microsoft Visual C# 2013 Express for Web. You should be presented with the Main screen Once the main screen is loaded at the left you have a New Project option available from the File Menu, Select this. Selecting this will load the Projects that you are allowed to create. On the left you have a set of templates that are installed. One of these sections is Visual C#. Select this to load the templates available in the centre panel. Select Class Library and provide an appropriate name for the Project and press OK. My project name is Selenium.webDriver.Introduction. If you use this it might save you some namespace changes later in the solution. Save the Project. This will save the entire solution in a single run. Solutions are better if later you wish to have multiple projects within a single solution. Installing NuGet Packages. Just a quick note on NuGet. "NuGet is the package manager for the Microsoft development platform including.net. The NuGet client tools provide the ability to produce and consume packages. The NuGet Gallery is the central package repository used by all package authors and consumers." - NuGet will allow us to install the Selenium WebDriver and NUnit packages required to create Automation Tests. Selenium WebDriver NuGet Installation 1. Ensure your automation Project is open in your IDE 2. Select Tools -> NuGet Package Manager -> Manage Nuget Packages for Solution 3. In the browser box that appears select Online from the left list 4. In the drop down that appears, ensure nuget.org is selected 5. In the search in the top left type "Selenium WebDriver" and wait for the list to update 6. Select Selenium WebDriver from the list ( check by looking at the Id in the right column which should be Selenium.WebDriver) 7. Once the package has downloaded a dialog will appear asking which projects to include. Leave all ticked and press OK 8. Once installed there should be a tick appear next to the package in the centre list. 9. Next select Selenium WebDriver Support Classes (Id: Selenium.Support) 10. Install with the options as previous if requested NUnit Installation Assuming that you have completed steps 1-5 in the previous list you can install NUnit by : 1. In the search in the top left type "NUnit" and wait for the list to update 2. Select NUnit from the list ( check by looking at the Id in the right column which should be NUnit) 3. Once the package has downloaded a dialog will appear asking which projects to include. Leave all ticked and press OK

5 4. Once installed there should be a tick appear next to the package in the centre list. 5. Next select NUnit.Runners (Id: NUnit.Runners) 6. Install with the options as previous if requested Adding a Post Build Step Now that we have the correct references in place another ideal feature to have is that NUnit runs its Testing GUI when we build. In order to complete this, we can add a build step that allows us to call the application and pass it our built file, so that all we have to do is start the test. Open the Solution Explorer inside Microsoft Visual C# 2010 Express Edition Right click on the Project and select Properties Select Build Events In the Post-build event command line enter the following "$(SolutionDir)packages\NUnit.Runners.2.6.4\tools\nunit.exe" "$(TargetDir)$(TargetFileName)" /run Once completed, ensure that you save the project. It s worth noting that the application location will change when new versions appear. Please be aware if you upgrade NUnit that this step may require alteration at a future point. This is also the case if the version of NUnit has incremented (at the moment the NuGet version is as indicated in the path). Ready to code! Implement a Basic Text Fixture Now that all of the components are in place you are ready to code. Inside the IDE if you have not already load the Class1.cs file. This is done by double click, or selecting the tab at the top of the editor if the file is already open. Since this is an introduction to the system I have provided a sample piece of code that will load the Google website using Firefox, check the title is valid and close the driver. This simple test is to verify if you have completed all of the steps correctly. Here is the source code: using System; using NUnit.Framework; using OpenQA.Selenium; using OpenQA.Selenium.Firefox; namespace selenium_examples [TestFixture] public class GoogleTests private IWebDriver _driver; [TestFixtureSetUp] public void FixtureSetup() [SetUp] public void TestSetUp() _driver.navigate().gotourl(" [TestFixtureTearDown] public void FixtureTearDown() if (_driver!= null) _driver.close();

6 if (_driver!= null) _driver.quit(); [Test] public void GooglePageTitle() Assert.AreEqual("Google", _driver.title); Simply copy the above code into your Class1.cs and then press F6 (or select build solution from the Debug menu) If all is correctly in-place the build should be successful, NUnit will start and the test automatically run. Since the NUnit GUI remains open you will be able to check the result of the test. Section 2. Chrome and IE Driver Expansion Obtaining the drivers As with Selenium WebDriver and NUnit, NuGet offers us the capability to install the drivers for Chrome and IE. However these are not offered directly by a single source, therefore there can be some variation on the packages. The two highlighted here are ones recommended from myself and various sources, but however may not always be available with the latest versions. ChromeDriver 1. Ensure your automation Project is open in your IDE 2. Select Tools -> Nuget Package Manager -> Manage Nuget Packages for Solution 3. In the browser box that appears select Online from the left list 4. In the dropdown that appears, ensure nuget.org is selected 5. In the search in the top left type "Chromedriver" and wait for the list to update 6. Select Selenium.WebDriver.ChromeDriver from the list ( check by looking at the Id in the right column which should be Selenium.WebDriver.ChromeDriver) 7. Once the package has downloaded a dialog will appear asking which projects to include. Leave all ticked and press OK In the search in the top left type "IEDriverServer" and wait for the list to update 9. Once installed there should be a tick appear next to the package in the center list. 10. Next select Selenium.WebDriver.IEDriver (Id: Selenium.WebDriver.IEDriver) 11. Install with the options as previous if requested Once these are installed, you now have the capability to interact with Chrome and Internet Explorer. If you are missing Chrome it might be worth installing it to test the results. Amending the Code I will use the example from my previous blog to show how to amend the driver for use with other browsers. Please note these will be code snippets and not the full code file Example Driver Code for Chrome using OpenQA.Selenium; using OpenQA.Selenium.Chrome; // <--- This is the reference declaration

7 namespace selenium_examples [TestFixture] public class GoogleTests_Chrome private IWebDriver _driver;... [TestFixtureSetUp] public void FixtureSetup() _driver = new ChromeDriver(); // <--- This is the driver to use As you can see there are two areas to edit to use each driver. The first is the reference declaration such that it gives you the correct driver method to use. The second is the call to the driver itself. In the above example the Chrome system has been used. Here are the same examples for Internet Explorer using OpenQA.Selenium; using OpenQA.Selenium.IE; // <--- This is the reference declaration namespace selenium_examples [TestFixture] public class GoogleTests_IE private IWebDriver _driver;... [TestFixtureSetUp] public void FixtureSetup() _driver = new InternetExplorerDriver(); // <--- This is the driver to use As you can see the simple changes to these allow the use of other Selenium driver services without changing any of the testing code. When considering testing automation projects one of the primary considerations is the project setup for the actual testing. In this scenario you can create 3 Separate.cs files to run the same test three times over three different browsers. In a future blog we will show how to move this setting to the app.config so that it can be configured outside of code for use in build and continuous integration systems Section 3. Driver with App.config In order to create configurable automation suites, one of the features of C# is Application Configuration. This is done through a file, which can store values in XML that can be used within the application. For Selenium this means that you can potentially setup your system to be controlled through an application configuration to allow systems to alter any of the start-up variables. The most common for Selenium based projects are the driver and the website to visit. To add an application configuration file to your C# project 1.On the Project menu, click "projectname" properties ( this is the bottom option named after your project) From the options on the left of the window, select Settings

8 2.On the right, it will say " This project does not contain a default settings file. Click here to create one". Click this. 3. In the new table, set the Name as browser, change the Scope to Application and enter Chrome in the Value field. A file named app.config is added to your project. Once the file is created, you can open the file by double clicking on app.config in the Solution Explorer. This will load the file, and you are looking for the section that looks like the following: <setting name="browser" serializeas="string"> <value>chrome</value> </setting> This means that the configuration has been loaded correctly. Save the project at this point. Once this is completed, the code can then be implemented to allow us to use the App.Config File. Here is the Google Example from the previous Blogs continued to allow the use of the App.config. Here is an example of the code : using System; using NUnit.Framework; using OpenQA.Selenium; using OpenQA.Selenium.Chrome; //<-- Required for the driver switch using OpenQA.Selenium.IE; //<-- Required for the driver switch using OpenQA.Selenium.Firefox;//<-- Required for the driver switch using Selenium.webDriver.Introduction.Properties; //<-- Change This to your name namespace selenium_examples [TestFixture] public class GoogleTests_Chrome private IWebDriver _driver; [TestFixtureSetUp] public void FixtureSetup() //The following switch takes the browser key introduced in App.Config //using ConfigurationManager to access the key in the XML File var browsername = Settings.Default.browser; switch (browsername) case "Chrome": //For each driver there is the driver declaration //then some examples of driver properties that can be set //to customise the environment for automation running. //These properties are all controlled through driver.manage _driver = new ChromeDriver(); case "Firefox": case "IE": _driver = new InternetExplorerDriver();

9 default: // We also include a default should the configuration file not be // present or something happens to mean that the configuration // cannot be read. In this example there is no protection for a // failed read since the switch statement will fail, only that if // there is a mistake in the file, like incorrect spelling, it // will default to the firefox browser. Console.WriteLine("Defaulting to Firefox"); [SetUp] public void TestSetUp() _driver.navigate().gotourl(" [TestFixtureTearDown] public void FixtureTearDown() if (_driver!= null) _driver.quit(); [Test] public void GooglePageTitle() Assert.AreEqual("Google", _driver.title); Once copied and replaced with your existing code it s important to change the following : using Selenium.webDriver.Introduction.Properties; //<-- Change This to your name If for example your project ( not solution) is called Automation, then the line would become using Automation.Properties; //<-- Change This to your name Once completed the line: var browsername = Settings.Default.browser; should not have a red line under, indicating there is a problem. If your solution and project are the same name ( both have the same name in the solution explorer on the right, then this will work). If you are still struggling, In the solution explorer drop down the Properties for the project, and load the Settings.Designer.cs file and use the text between the namespace and. In my example this is : namespace Selenium.webDriver.Introduction.Properties Once you have completed this Save your project and Run it to ensure the Chrome browser is launched as part of the test. As a note, remember to Close the NUnit manager that is loaded or you cannot continue writing code. As you can see from the above example the key inside the app.config file will accept three values. These are:

10 Chrome Firefox IE If one of these values is incorrect or not entered then the system will default to Firefox. Its worth noting that there are duplicate entries in the switch code which could be refactored out. In future blogs they may well be but for the moment I thought it was important to show that the switch allows the running of independent code lines as well as identical lines. This means that the values could be changed based on browser type running, for example you may wish not to delete the cookies or not maximize the window for Internet explorer. This code allows for that flexibility. Section 4. Create the Driver Class The main focus of this section is around coding using C# rather than the use of Selenium WebDriver. Many testing engineers will feel that they should not be required to code in C# in order to automate, and whilst this is true, the power of C# will allow you to structure the WebDriver in such a way that it will become easier to create, implement and run automation tests. A New Class of Driver... Whilst all of the code is at the end of this section is in a single file, I will provide first some of the elements that are included. The first is the introduction of a second class. This class is to allow the containment of the driver and its indexer such that all of the direct driver manipulation can be done through the use of this class. In future this will include stopping the driver, directing it at a URL, and managing the driver properties. In this section, it simply allows the creation of the driver outside of the test class such that testing engineers can begin to move away from including the driver code in every test and start to construct larger, more defined tests Here is the code for the new driver class and its implemented indexer: using System; using NUnit.Framework; using OpenQA.Selenium; using OpenQA.Selenium.Chrome; using OpenQA.Selenium.IE; using OpenQA.Selenium.Firefox; using Selenium.webDriver.Introduction.Properties namespace Selenium_Automation [TestFixture] public class GoogleTests : seleniumdriver [TestFixtureSetUp] public void FixtureSetup() // The Fixture Setup has been removed to allow a central // configuration and use of the selenium webdriver to //allow multiple tests to be run from a single project [SetUp] public void TestSetUp() _webdriver.navigate().gotourl(" [TestFixtureTearDown] public void FixtureTearDown() if (_webdriver!= null) _webdriver.quit();

11 [Test] public void GooglePageTitle() Assert.AreEqual("Google", _webdriver.title); public class seleniumdriver private static IWebDriver _driver; protected static IWebDriver _webdriver get if (_driver == null) var browsername = Settings.Default.browser; switch (browsername) case "Chrome": _driver = new ChromeDriver(); case "Firefox": case "IE": _driver = new InternetExplorerDriver(); default: Console.WriteLine("Defaulting to Firefox"); return _driver; Please remember to update the namespace using Selenium.webDriver.Introduction.Properties; with your own if you have used a different name. As you can see from the above code, the driver setup is moved to a separate C# class. With the code above it means that the driver can be used simply by using the _webdriver method, which will initialise the driver when required using the App.Config key mentioned in a previous page. However this still has some limitations. For example the missing App.config key will prevent the driver running. Also we have a large amount of replicated code inside the driver configuration that for these examples setup the driver for use. As such there are several more basic improvements that can be made to this file so that the driver is better protected at launch and runs our automation correctly. Here is my finished example of the driver class that will allow us to start implementation of not only a single test but multiple C# tests within a single project without the use of additional tools.

12 using System; using NUnit.Framework; using OpenQA.Selenium; using OpenQA.Selenium.Chrome; using OpenQA.Selenium.IE; using OpenQA.Selenium.Firefox; using Selenium.webDriver.Introduction.Properties; namespace Selenium_Automation [TestFixture] // By extending the class to include the seleniumdriver class we can interact with _webdriver public class GoogleTests : seleniumdriver [TestFixtureSetUp] public void FixtureSetup() [SetUp] public void TestSetUp() _webdriver.navigate().gotourl(" [TestFixtureTearDown] public void FixtureTearDown() if (_webdriver!= null) _webdriver.quit(); [Test] public void GooglePageTitle() Assert.AreEqual("Google", _webdriver.title); public class seleniumdriver private static IWebDriver _driver; protected static IWebDriver _webdriver get if (_driver == null) var browsername = Settings.Default.browser; if (!String.IsNullOrEmpty(browserName)) switch (browsername) case "Chrome": _driver = new ChromeDriver(); case "Firefox": case "IE": _driver = new InternetExplorerDriver(); default: //this ensures that if there is a mistake with the //config key then the driver will still function by //defaulting to firefox Console.WriteLine("App.config key error."); Console.WriteLine("Defaulting to Firefox");

13 else //This default mode fires when there is no configuration //available for the use of setup. This means that the driver //will always run. Console.WriteLine("* * * * DEFAULTMODE * * * *"); Console.WriteLine("App.config key not present."); return _driver; //Here is a method for controlling the driver configuration. This allows central //control of the driver configuration and at the same time removes replicated //code from the codebase. internal static void ConfigureDriver() Please remember to update the namespace using Selenium.webDriver.Introduction.Properties; with your own if you have used a different name. Now that the additional code is in place inside our.cs file we have two distinct areas. The First part of the file covers the test, whilst the second, covers the actual control of the selenium driver. This starts to give us a clearer picture between the actual test and the resources used to conduct the test. In the next post it will be demonstrated how to move all of the driver code out of the test file into its own so that we can start to construct test scripts for use with automation. Section 5. Creating the Multi Test Project All of the sections up until this point have primarily been concerned with a single test inside a single project with no real structure behind it. Inside this section, the project will be extended to take advantage of more C# and some NUnit changes to allow the project to become a multiple test project. Creating the Folder Structure. The first step is to create a folder structure for a better consolidation of files. This means we can setup the files relevant topic folders such that we know where to look for items in future. Here are the instructions for the folder: Open the Solution Explorer inside Microsoft Visual C# 2013 Express for Web ( View - > Other Windows -> Solution Explorer ) Right click on the Project and select Add -> New Folder Name the folder "Selenium" Right click on the Project and select Add -> New Folder Name the folder "Setup" Right click on the Project and select Add -> New Folder Name the folder "Tests" These folders will be the base for our new files. Now that the folders are in place, the first step is to move your driver code into a new file. To complete this we need to create a new class file. We

14 could create a new project and start over, but I think the transition will allow for more understanding. Creating the webdriver.cs The first step is to create the files itself. This is done by : Select the Selenium Folder in the Solution Explorer On the Project menu, click Add New Item. The Add New Item dialog box appears. Select the Class File template Enter the filename webdriver.cs in the filename area click Add. A file named webdriver.cs is added to your project in the selenium folder. This file can then be opened by double clicking the file. This will load it into the editor as normal, allowing us to create the appropriate driver class. Creating the exampletest.cs As with the above we want to create a standard test, such that we have them contained in the tests folder. This means we require a new class file for the tests. Using the same instructions as above to create the previous file, in the Tests folder we created, create a new file called exampletest.cs. Again once this is completed load this file into the editor. Creating the testfixture.cs As well as controlling the tests with a single driver, we are going to move some of the NUnit template so that multiple tests can be run with a single configuration, and that the driver shuts down correctly. This will be explained later when the code is demonstrated. Using the instructions above, in the Setup folder create a new class file called testfixture.cs Now for the code... Since we currently have all of the code in a single file, the intention is to split this between the three files now created. The first is the driver. Since we are running the same session the namespace will remain the same, as will the class name for the driver. I have tried to show below what will happen to your existing class1.cs: using System; using System.Configuration; using NUnit.Framework; using OpenQA.Selenium; using OpenQA.Selenium.Chrome; using OpenQA.Selenium.IE; using OpenQA.Selenium.Firefox; namespace Selenium_Automation // exampletest.cs // This will be the last remaining part of the actual test // code, allowing the files to solely concentrate on the // testing structure within the file instead of configuration // and setup [TestFixture] public class GoogleTests : seleniumdriver [TestFixtureSetUp] public void FixtureSetup()

15 [SetUp] public void TestSetUp() _webdriver.navigate().gotourl(" [Test] public void GooglePageTitle() Assert.AreEqual("Google", _webdriver.title); // exampletest.cs // testfixture.cs // This will become the code for testfixture.cs //However the context will change as we want to control the //driver at project level, not test level. [TestFixtureTearDown] public void FixtureTearDown() if (_webdriver!= null) _webdriver.quit(); // testfixture.cs // webdriver.cs // This will become the code for webdriver.cs, which will // function the same as before, but alow the tests to have code //related to the test themselves rather than having driver details //inside public class seleniumdriver private static IWebDriver _driver; protected static IWebDriver _webdriver get if (_driver == null) string driverconfig = ConfigurationManager.AppSettings["browser"]; if (!String.IsNullOrEmpty(driverConfig)) switch (ConfigurationManager.AppSettings["browser"]) case "Chrome": _driver = new ChromeDriver(); case "Firefox": case "IE": _driver = new InternetExplorerDriver(); default: Console.WriteLine("App.config key error."); Console.WriteLine("Defaulting to Firefox"); else Console.WriteLine("* * * * DEFAULTMODE * * * *"); Console.WriteLine("App.config key not present."); return _driver;

16 internal static void ConfigureDriver() // webdriver.cs As you can see there is code required from the main file to each of its three new siblings. Once this is completed, the three files will act as one for the test creation and setup. Instead of attempting to describe the changes, references and requirements of the three new files, I thought it would be easier to place each of them available in code windows so that you can review them and copy the code as needed. In each of the referenced files here you must have the appropriate code. webdriver.cs using System; using OpenQA.Selenium; using OpenQA.Selenium.Chrome; using OpenQA.Selenium.IE; using OpenQA.Selenium.Firefox; using Selenium.webDriver.Introduction.Properties; namespace Selenium_Automation public class seleniumdriver private static IWebDriver _driver; protected static IWebDriver _webdriver get if (_driver == null) var browsername = Settings.Default.browser; if (!String.IsNullOrEmpty(browserName)) switch (browsername) case "Chrome": _driver = new ChromeDriver(); case "Firefox": case "IE": _driver = new InternetExplorerDriver(); default: Console.WriteLine("App.config key error."); Console.WriteLine("Defaulting to Firefox"); else Console.WriteLine("* * * * DEFAULTMODE * * * *"); Console.WriteLine("App.config key not present.");

17 return _driver; internal static void ConfigureDriver() Please remember to update the namespace using Selenium.webDriver.Introduction.Properties; with your own if you have used a different name. textfixture.cs using NUnit.Framework; namespace Selenium_Automation //Note the Tag implementation here. This is to indicate //that these are test project parameters and not test //ones. Think of this as a test suite setup file. [SetUpFixture] public class Test_Configuration : seleniumdriver //This is what is required to setup before starting //the individual test files. This could include the //command to visit the site if you never plan to change //however its common to leave that in the test so that you //always start the test at the starting point. [SetUp] public void FixtureSetup() //This is the last item to complete once all tests are completed //this differs from the TestFixtureTearDown in that those run at //the end of each test, these are at the end of all tests. The //driver.quit is moved to here, as we wish to reuse the driver //during multiple test setups. [TearDown] public void FixtureTearDown() if (_webdriver!= null) _webdriver.quit(); exampletest.cs using System; using System.Configuration; using NUnit.Framework; namespace Selenium_Automation [TestFixture] // The Class name here always reflects what is shown in the results // and as such should be named appropriately public class GoogleTest : seleniumdriver //The setup is used to make preparations before the test begins //this instance includes a visit to the base page as we may //decide to switch sites between tests, or at least reset the

18 //same site to ensure the tests are performed from the same //starting point. [SetUp] public void TestSetUp() _webdriver.navigate().gotourl(" [Test] //As shown in previous examples the method for the test is what //is displayed in the test results, so as with the class name //this should hold a naming convention that is appropriate to //the testing being performed. public void GooglePageTitle() Assert.AreEqual("Google", _webdriver.title); As you can see I have tried to explain in more detail how the files work in tandem. Make sure you take note of the namespace (as it is the same for all classes) and that the webdriver is extended into the testfixture and testexample classes ( GoogleTests : seleniumdriver at the class name indicates that GoogleTests Extends the seleniumdriver). This allows the driver references to be used. As you can see, in particular with the exampletest.cs, it is a clean template which can be used many times. This will allow you to create multiple tests. Once all of your new files are created. DELETE the Class1.cs file from the project (building with it in will cause conflicts and test duplication) then build the solution using F5 or F6. You should find that the solution builds and the test runs as normal. Section 6. Conclusions. So now we have a project capable of testing multiple tests through NUnit through C#. However there are a couple of steps that were skipped during the setup of this, mainly related to namespace standards. In this Section, I have explained the namespaces to better represent their locations within the project. This will be the last in this series of sections intended on getting testing engineers started with Selenium and C# so this last section is about finalizing your project ready for use. Namespaces... During the coding of the project, I have consistently used the same Namespace (Selenium_Automation). However you will notice as you start to create more and more files inside the folders they alter the namespace. So for example a new class created in the Selenium folder would have the namespace ProjectName.Selenium and as such may cause confusion down the line. Since I have split out the setup for the NUnit tests and the tests themselves, moving them into a sub namespace will create another line in the NUnit GUI and not allow the tests to run. As such Namespace naming conventions have not currently been used, and I rely on a single Selenium_Automation. When creating additional files, it s important to remove any appended namespace tags if you wish to allow the system to run correctly. As a completion for this set of information related to the use of C# and Selenium, I have included a link for all of the files, such that if they are ever needed for project files. This is located here.

19 This is the last section of the basic tutorials for getting started with Selenium and C# 2013 as from this point it s about coding the tests, further driver interaction etc... All advanced tutorials will assume that you have this level of project in place.

Ranorex Tutorial. About this Document... 1 Ranorex Installation and Setup... 1 Tutorial Test SimpleCalculator using Ranorex... 2

Ranorex Tutorial. About this Document... 1 Ranorex Installation and Setup... 1 Tutorial Test SimpleCalculator using Ranorex... 2 Ranorex Tutorial Spirit Du March 27 th, 2007 Ver. 1.1.4 Contents About this Document... 1 Ranorex Installation and Setup... 1 Tutorial Test SimpleCalculator using Ranorex... 2 About this Document NUnit

More information

Content Module. ActiveModeler Avantage. Managing Enterprise Documentation. Version 1.2, 6 May KAISHA-Tec What does the Content Module do?

Content Module. ActiveModeler Avantage. Managing Enterprise Documentation. Version 1.2, 6 May KAISHA-Tec What does the Content Module do? ActiveModeler Avantage Managing Enterprise Documentation Content Module User Guide Version 1.2, 6 May 2009 ActiveModeler, ActiveFlow and ActiveModeler Avantage are registered trademarks of KAISHA-Tec Co.

More information

Registration Guide for the UNESCAP Event Portal

Registration Guide for the UNESCAP Event Portal Registration Guide for the UNESCAP Event Portal This guide will assist you with: Creating an account Register for an event Click on any of the above links to skip to the relevant section. Primary address

More information

Configure Eclipse with Selenium Webdriver

Configure Eclipse with Selenium Webdriver Configure Eclipse with Selenium Webdriver To configure Eclipse with Selenium webdriver, we need to launch the Eclipse IDE, create a Workspace, create a Project, create a Package, create a Class and add

More information

Managing Your Website with Convert Community. My MU Health and My MU Health Nursing

Managing Your Website with Convert Community. My MU Health and My MU Health Nursing Managing Your Website with Convert Community My MU Health and My MU Health Nursing Managing Your Website with Convert Community LOGGING IN... 4 LOG IN TO CONVERT COMMUNITY... 4 LOG OFF CORRECTLY... 4 GETTING

More information

Chapter 1 Getting Started

Chapter 1 Getting Started Chapter 1 Getting Started The C# class Just like all object oriented programming languages, C# supports the concept of a class. A class is a little like a data structure in that it aggregates different

More information

Microsoft Word - Templates

Microsoft Word - Templates Microsoft Word - Templates Templates & Styles. Microsoft Word come will a large amount of predefined templates designed for you to use, it is also possible to download additional templates from web sites

More information

Learning and Development. UWE Staff Profiles (USP) User Guide

Learning and Development. UWE Staff Profiles (USP) User Guide Learning and Development UWE Staff Profiles (USP) User Guide About this training manual This manual is yours to keep and is intended as a guide to be used during the training course and as a reference

More information

$DXM DBX Dictionary Maintenance Utility

$DXM DBX Dictionary Maintenance Utility 1. Introduction The information about the structure of a DBX Speedbase database is stored in a DBX data dictionary. Before you can actually create your DBX database, or compile a program using a DBX database,

More information

PrintStream Interface User Guide

PrintStream Interface User Guide PrintStream Interface User Guide Table Of Contents Overview...1 How the Interface Works...1 Set Up...5 DAT-MAIL STATEMENT PRINTING AND POST MASTER SETUP:...6 PRINTSTREAM SETUP...8 DAT-MAIL Standard Operating

More information

Introduction to Ardora

Introduction to Ardora Ardora is an authoring software focused mainly on the development of educational content for the Web. Its main purpose is that teachers focus their efforts on the methodological and didactic aspects of

More information

Graphic Selenium Testing Tool

Graphic Selenium Testing Tool Graphic Selenium Testing Tool Last modified: 02/06/2014 1 Content 1 What can I do with GSTT?... 3 2 Installation... 4 3 Main window... 5 4 Define a new web testing project... 6 5 Define a new test case...

More information

Step 4 Part F - How to Download a Video on YouTube and Delete a Video

Step 4 Part F - How to Download a Video on YouTube and Delete a Video Step 4 Part F - How to Download a Video on YouTube and Delete a Video When you finish Edit your Video on your YouTube account and save it or save as new Video, you may want to Download it to your computer.

More information

Siteforce Pilot: Best Practices

Siteforce Pilot: Best Practices Siteforce Pilot: Best Practices Getting Started with Siteforce Setup your users as Publishers and Contributors. Siteforce has two distinct types of users First, is your Web Publishers. These are the front

More information

Social Media Testing with Selenium

Social Media Testing with Selenium International Journal of Science and Engineering Investigations vol. 7, issue 80, September 2018 ISSN: 2251-8843 Social Media Testing with Selenium Festim Halili 1, Lirie Koraqi 2 1 Ph.D. in Computer Science

More information

FITECH FITNESS TECHNOLOGY

FITECH FITNESS TECHNOLOGY Browser Software & Fitech FITECH FITNESS TECHNOLOGY What is a Browser? Well, What is a browser? A browser is the software that you use to work with Fitech. It s called a browser because you use it to browse

More information

Content Publisher User Guide

Content Publisher User Guide Content Publisher User Guide Overview 1 Overview of the Content Management System 1 Table of Contents What's New in the Content Management System? 2 Anatomy of a Portal Page 3 Toggling Edit Controls 5

More information

Step 1 Download and Install KompoZer Step by step instructions to build your first web page using KompoZer web editor.

Step 1 Download and Install KompoZer Step by step instructions to build your first web page using KompoZer web editor. All Creative Designs HTML Web Tutorial for PC Using KompoZer New version 2012 now available at: http://www.allcreativedesigns.com.au/pages/tutorials.html Step 1 Download and Install KompoZer Step by step

More information

Login Process and Password Reset

Login Process and Password Reset whostheref.com whostheumpire.com Login Process and Password Reset R2.1-08 Jul 2011 Contents Standard Log in If you do not know your password (first time use) or have forgotten your password How to request

More information

Publisher Onboarding Kit

Publisher Onboarding Kit Publisher Onboarding Kit Smart content. Smart business. Publishing, Supporting & Selling HotDocs Market Templates A HotDocs Market publisher s guide for loading templates, answering customer questions

More information

DOCUMENTUM D2. User Guide

DOCUMENTUM D2. User Guide DOCUMENTUM D2 User Guide Contents 1. Groups... 6 2. Introduction to D2... 7 Access D2... 7 Recommended browsers... 7 Login... 7 First-time login... 7 Installing the Content Transfer Extension... 8 Logout...

More information

Bringing Together One ASP.NET

Bringing Together One ASP.NET Bringing Together One ASP.NET Overview ASP.NET is a framework for building Web sites, apps and services using specialized technologies such as MVC, Web API and others. With the expansion ASP.NET has seen

More information

Browser Guide for PeopleSoft

Browser Guide for PeopleSoft Browser Guide for PeopleSoft Business Process Guide For Academic Support Specialists (Advisors) TABLE OF CONTENTS PURPOSE...2 INTERNET EXPLORER 7...3 GENERAL TAB...4 SECURITY TAB...6 PRIVACY TAB...10 CONTENT

More information

The Centrify browser extension

The Centrify browser extension The Centrify browser extension The Centrify Browser Extension provides a method of adding user-password and other custom applications. The Centrify Identity Services browser extension is a free add-on

More information

FUNCTIONAL BEST PRACTICES ORACLE USER PRODUCTIVITY KIT

FUNCTIONAL BEST PRACTICES ORACLE USER PRODUCTIVITY KIT FUNCTIONAL BEST PRACTICES ORACLE USER PRODUCTIVITY KIT Purpose Oracle s User Productivity Kit (UPK) provides functionality that enables content authors, subject matter experts, and other project members

More information

We want to make your transition from the AIA Contract Documents desktop software to the online version as smooth as possible. Below you ll find important transition resources - feel free to share them

More information

Selenium Webdriver Github

Selenium Webdriver Github Selenium Webdriver Github 1 / 6 2 / 6 3 / 6 Selenium Webdriver Github A browser automation framework and ecosystem. Contribute to SeleniumHQ/selenium development by creating an account on GitHub. JsonWireProtocol

More information

Campaign Manager for Sitecore CMS 6.3

Campaign Manager for Sitecore CMS 6.3 E-Mail Campaign Manager Marketer's Guide Rev: 2013-01-24 E-Mail Campaign Manager for Sitecore CMS 6.3 Marketer's Guide User guide for marketing analysts and business users Table of Contents Chapter 1 Introduction...

More information

How to Edit Your Website

How to Edit Your Website How to Edit Your Website A guide to using your Content Management System Overview 2 Accessing the CMS 2 Choosing Your Language 2 Resetting Your Password 3 Sites 4 Favorites 4 Pages 5 Creating Pages 5 Managing

More information

Using Internet Archive: A guide created by the Digital POWRR Project

Using Internet Archive: A guide created by the Digital POWRR Project May 2016 1 Internet Archive is a way to archive public domain materials free of charge. It is important to have multiple backups of digital files in case of unexpected loss of originals. Table of Contents

More information

Deposit Wizard TellerScan Installation Guide

Deposit Wizard TellerScan Installation Guide Guide Table of Contents System Requirements... 2 WebScan Overview... 2 Hardware Requirements... 2 Supported Browsers... 2 Driver Installation... 2 Step 1 - Determining Windows Edition & Bit Count... 3

More information

Browser Support Internet Explorer

Browser Support Internet Explorer Browser Support Internet Explorer Consumers Online Banking offers you more enhanced features than ever before! To use the improved online banking, you may need to change certain settings on your device

More information

How to Edit Your Website

How to Edit Your Website How to Edit Your Website A guide to using your Content Management System Overview 2 Accessing the CMS 2 Choosing Your Language 2 Resetting Your Password 3 Sites 4 Favorites 4 Pages 5 Creating Pages 5 Managing

More information

Web Browser Application Troubleshooting Guide. Table of Contents

Web Browser Application Troubleshooting Guide. Table of Contents Web Browser Application Troubleshooting Guide The following trouble shooting guide outlines tips for common problems which may resolve incorrect or unexpected behavior of NMFTA s web based applications.

More information

CHAPTER 1 COPYRIGHTED MATERIAL. Finding Your Way in the Inventor Interface

CHAPTER 1 COPYRIGHTED MATERIAL. Finding Your Way in the Inventor Interface CHAPTER 1 Finding Your Way in the Inventor Interface COPYRIGHTED MATERIAL Understanding Inventor s interface behavior Opening existing files Creating new files Modifying the look and feel of Inventor Managing

More information

DB2 for z/os Stored Procedure support in Data Server Manager

DB2 for z/os Stored Procedure support in Data Server Manager DB2 for z/os Stored Procedure support in Data Server Manager This short tutorial walks you step-by-step, through a scenario where a DB2 for z/os application developer creates a query, explains and tunes

More information

Adding a RSS Feed Custom Widget to your Homepage

Adding a RSS Feed Custom Widget to your Homepage Adding a RSS Feed Custom Widget to your Homepage The first, and often hardest, task is to decide which blog or news source you wish to bring into your Avenue course. Once you have selected a blog or news

More information

Class 1 Introduction to Selenium, Software Test Life Cycle.

Class 1 Introduction to Selenium, Software Test Life Cycle. Class 1 Introduction to Selenium, Software Test Life Cycle. I) Introduction to Selenium 1) What is Selenium? 2) History of the Selenium Project 3) Selenium Components / Selenium s Tool Suite 4) Platforms

More information

UNIVERSITY OF YORK. Service Builder. User Guide. Michael Weeks 4/1/2011

UNIVERSITY OF YORK. Service Builder. User Guide. Michael Weeks 4/1/2011 UNIVERSITY OF YORK Service Builder User Guide Michael Weeks 4/1/2011 The Service Builder is a GUI-based application. It takes an executable that conforms to our specification, requests information on the

More information

Creating Word Outlines from Compendium on a Mac

Creating Word Outlines from Compendium on a Mac Creating Word Outlines from Compendium on a Mac Using the Compendium Outline Template and Macro for Microsoft Word for Mac: Background and Tutorial Jeff Conklin & KC Burgess Yakemovic, CogNexus Institute

More information

C1 CMS User Guide Orckestra, Europe Nygårdsvej 16 DK-2100 Copenhagen Phone

C1 CMS User Guide Orckestra, Europe Nygårdsvej 16 DK-2100 Copenhagen Phone 2017-02-13 Orckestra, Europe Nygårdsvej 16 DK-2100 Copenhagen Phone +45 3915 7600 www.orckestra.com Content 1 INTRODUCTION... 4 1.1 Page-based systems versus item-based systems 4 1.2 Browser support 5

More information

How to make an EZ-Robot Tutorial

How to make an EZ-Robot Tutorial www.ez-robot.com How to make an EZ-Robot Tutorial This is a short tutorial to show you how to create a tutorial for the EZ-Robot website, using the "Tutorials" section. Last Updated: 10/16/2015 Step 1.

More information

Getting started with Convertigo Mobilizer

Getting started with Convertigo Mobilizer Getting started with Convertigo Mobilizer First Sencha-based project tutorial CEMS 6.0.0 TABLE OF CONTENTS Convertigo Mobilizer overview...1 Introducing Convertigo Mobilizer... 1-1 Convertigo Mobilizer

More information

Function. Description

Function. Description Function Check In Get / Checkout Description Checking in a file uploads the file from the user s hard drive into the vault and creates a new file version with any changes to the file that have been saved.

More information

Improving Productivity with Parameters

Improving Productivity with Parameters Improving Productivity with Parameters Michael Trull Rocky Brown Thursday, January 25, 2007 Improving Productivity with Parameters Part I The Fundamentals Parameters are variables which define the size

More information

If you do not have administrator privileges on your computer and are unable to install Java, please reach out to the ITC Help Desk at

If you do not have administrator privileges on your computer and are unable to install Java, please reach out to the ITC Help Desk at In order to stay browser compliant, Dartmouth is moving to using a product called Java Web Start for its Oracle EBS applications. Java Web Start will allow users to run Oracle EBS using Internet Explorer,

More information

A short guide to learning more technology This week s topic: Windows 10 Tips

A short guide to learning more technology This week s topic: Windows 10 Tips Wednesday s Technology Tips November 2, 2016 A short guide to learning more technology This week s topic: Windows 10 Tips Like it or not, Microsoft is rushing quickly toward Windows 10 as the new standard

More information

Behat Drupal Integration Documentation

Behat Drupal Integration Documentation Behat Drupal Integration Documentation Release 1.1 Brendan MacDonald Jul 19, 2017 Contents 1 Introduction 3 2 System Requirements 5 3 Installation 7 4 Adding it to an existing project 9 5 Initial setup

More information

Page Topic 02 Log In to KidKare 02 Using the Navigation Menu 02 Change the Language

Page Topic 02 Log In to KidKare 02 Using the Navigation Menu 02 Change the Language Page Topic 02 Log In to KidKare 02 Using the Navigation Menu 02 Change the Language help.kidkare.com 03 Enroll a Child 03 Withdraw a Child 03 View Pending and Withdrawn Children 04 View Kids by Enrollment

More information

Creating a Technical Writing Online Portfolio with Wikispaces.com

Creating a Technical Writing Online Portfolio with Wikispaces.com Creating a Technical Writing Online Portfolio with Wikispaces.com November 11, 2010 Hollie Cookson Tyler Kiefer Allison Knowles Andrew Neutzling 1 Table of Contents I. Getting Started A. Create a Wikispaces.com

More information

Mend for Eclipse quick start guide local analysis

Mend for Eclipse quick start guide local analysis The Semmle Mend for Eclipse plugin allows users to view Semmle results in Eclipse. This document describes how to install and use the plugin for local analysis. You can install the plugin using a Semmle

More information

BT Web Hosting. Features and functionality

BT Web Hosting. Features and functionality BT Web Hosting Features and functionality 1 Hopefully you will now have a website that is activated and potentially even published. This guide will take you through some of the additional features and

More information

FIREFOX MENU REFERENCE This menu reference is available in a prettier format at

FIREFOX MENU REFERENCE This menu reference is available in a prettier format at FIREFOX MENU REFERENCE This menu reference is available in a prettier format at http://support.mozilla.com/en-us/kb/menu+reference FILE New Window New Tab Open Location Open File Close (Window) Close Tab

More information

Browser Configuration Reference

Browser Configuration Reference Sitecore CMS 7.0 or later Browser Configuration Reference Rev: 2013-09-30 Sitecore CMS 7.0 or later Browser Configuration Reference Optimizing Internet Explorer and other web browsers to work with Sitecore

More information

Version 4.0 February 2011

Version 4.0 February 2011 S C H E D U L E M A S T E R S, I N C TMSwebBusPatter nseditor EDWARD SITARSKI VICE-PRESIDENT OF TECHNOLOGY SCHEDULE MASTERS, INC. Version 4.0 February 2011 T M S w e b B u s Pa t t e r n s E d i t o r

More information

Step 7 How to convert a YouTube Video to Music As I mentioned in the YouTube Introduction, you can convert a Video to a MP3 file using Free Video To

Step 7 How to convert a YouTube Video to Music As I mentioned in the YouTube Introduction, you can convert a Video to a MP3 file using Free Video To Step 7 How to convert a YouTube Video to Music As I mentioned in the YouTube Introduction, you can convert a Video to a MP3 file using Free Video To MP3 Converter program. Next I will show you how to download

More information

Learning vrealize Orchestrator in action V M U G L A B

Learning vrealize Orchestrator in action V M U G L A B Learning vrealize Orchestrator in action V M U G L A B Lab Learning vrealize Orchestrator in action Code examples If you don t feel like typing the code you can download it from the webserver running on

More information

PRACTICE-LABS User Guide

PRACTICE-LABS User Guide PRACTICE-LABS User Guide System requirements Microsoft Windows XP Sp2/Vista/7/8/2003/2008 Linux Redhat, Fedora, SuSE, Ubuntu Apple Mac OS X Minimum of 512Mb Ram (depending on OS) Minimum processor speed

More information

Robix Software, Part I: Quick Start Tutorial

Robix Software, Part I: Quick Start Tutorial Robix Software, Part I: Quick Start Tutorial This document may be copied or printed as desired. Feedback: desk@robix.com. Home: www.robix.com Last mod: 2005-02-1 (Note: For the Tutorial on the LPT -connected

More information

Delete Cookies Windows 7 Internet Explorer 10

Delete Cookies Windows 7 Internet Explorer 10 Delete Cookies Windows 7 Internet Explorer 10 Problems Need to manage cookies from specific sites? Learn how in Internet Explorer, using the steps below. To delete cookies see Clearing Your Browser in

More information

Briefing Session Guide. Sending Message Basics.

Briefing Session Guide. Sending Message Basics. 22 Briefing Session Guide Portal Briefing Session Administrators Guide: Part How one: To How do I series Sending Message Basics. Page - 2 - of 31 Administrator Basics Part 1 Sending Message Basics Contents

More information

The Auslan System Sign Editor User Manual

The Auslan System Sign Editor User Manual The Auslan System Sign Editor User Manual Preface: This manual explains how to construct, edit, or design their own sign language signs. The software referred to in this manual, the Auslan Sign Editor,

More information

Getting Started with Web Services

Getting Started with Web Services Getting Started with Web Services Getting Started with Web Services A web service is a set of functions packaged into a single entity that is available to other systems on a network. The network can be

More information

Browser Settings. Updated 4/30/ SSF

Browser Settings. Updated 4/30/ SSF Browser Settings Updated 4/30/2014 - SSF Contents How to Locate the Online Banking URL... 3 Initial Steps for Browser Settings... 8 Internet Explorer... 9 Firefox... 13 Chrome... 18 Safari 6.0.5 and up...

More information

Let s begin by naming the first folder you create Pictures.

Let s begin by naming the first folder you create Pictures. 1 Creating a Folder on Your Desktop Saving A Picture to Your Folder Creating Desktop Wallpaper from Pictures on the Internet Changing Your Home Page Creating a Shortcut to a Web Page on Your Desktop One

More information

BCI.com Sitecore Publishing Guide. November 2017

BCI.com Sitecore Publishing Guide. November 2017 BCI.com Sitecore Publishing Guide November 2017 Table of contents 3 Introduction 63 Search 4 Sitecore terms 66 Change your personal settings 5 Publishing basics 5 Log in to Sitecore Editing 69 BCI.com

More information

Module Road Map. 7. Version Control with Subversion Introduction Terminology

Module Road Map. 7. Version Control with Subversion Introduction Terminology Module Road Map 1. Overview 2. Installing and Running 3. Building and Running Java Classes 4. Refactoring 5. Debugging 6. Testing with JUnit 7. Version Control with Subversion Introduction Terminology

More information

Dealer Instructions for the Product Configurator

Dealer Instructions for the Product Configurator Dealer Instructions for the Product Configurator Purpose: By providing you, the dealer, with information about the Product Configurator and the instructions for the use of the Product Configurator it is

More information

Virtual Platform Checklist for WebEx Training Center

Virtual Platform Checklist for WebEx Training Center Virtual Platform Checklist for WebEx Training Center WebEx Training Center is a powerful online meeting tool used to create engaging virtual training. To create an effective learning experience, become

More information

Introduction to Moodle

Introduction to Moodle Introduction to Moodle Preparing for a Moodle Staff Development Session... 2 Logging in to Moodle... 2 Adding an image to your profile... 4 Navigate to and within a course... 6 Content of the basic template

More information

AADL Graphical Editor Design

AADL Graphical Editor Design AADL Graphical Editor Design Peter Feiler Software Engineering Institute phf@sei.cmu.edu Introduction An AADL specification is a set of component type and implementation declarations. They are organized

More information

FrontBase An Omnis Studio Application

FrontBase An Omnis Studio Application FrontBase An Omnis Studio Application Because of last-minute changes to FrontBase, some of the information in this manual may be inaccurate. Please read the Release Notes on the FrontBase distribution

More information

IHS > Decision Support Tool. IHS Enerdeq Browser Version 2.9 Release Notes

IHS > Decision Support Tool. IHS Enerdeq Browser Version 2.9 Release Notes IHS > Decision Support Tool IHS Enerdeq Browser Version 2.9 Release Notes February 23rd, 2016 IHS Enerdeq Browser Release Note v2.9 IHS Enerdeq Browser Release Notes v.2.9 IHS Enerdeq Browser Release Notes

More information

Community Edition. Web User Interface 3.X. User Guide

Community Edition. Web User Interface 3.X. User Guide Community Edition Talend MDM Web User Interface 3.X User Guide Version 3.2_a Adapted for Talend MDM Web User Interface 3.2 Web Interface User Guide release. Copyright This documentation is provided under

More information

How to Use Serif WebPlus 10

How to Use Serif WebPlus 10 How to Use Serif WebPlus 10 Getting started 1. Open Serif WebPlus and select Start New Site from the Startup Screen 2. WebPlus will start a blank website for you. Take a few moments to familiarise yourself

More information

MBChB Student E-portfolio Guide Year /18

MBChB Student E-portfolio Guide Year /18 MBChB Student E-portfolio Guide Year 1 2017/18 This document guides you through using the e- portfolio system and the customised forms that have been created, allowing you to record your activities and

More information

Cross-Browser Functional Testing Best Practices

Cross-Browser Functional Testing Best Practices White Paper Application Delivery Management Cross-Browser Functional Testing Best Practices Unified Functional Testing Best Practices Series Table of Contents page Introduction to Cross-Browser Functional

More information

Contact: Systems Alliance, Inc. Executive Plaza III McCormick Road, Suite 1203 Hunt Valley, Maryland Phone: / 877.

Contact: Systems Alliance, Inc. Executive Plaza III McCormick Road, Suite 1203 Hunt Valley, Maryland Phone: / 877. Contact: Systems Alliance, Inc. Executive Plaza III 11350 McCormick Road, Suite 1203 Hunt Valley, Maryland 21031 Phone: 410.584.0595 / 877.SYSALLI Fax: 410.584.0594 http://www.systemsalliance.com http://www.siteexecutive.com

More information

Recommended Browser Settings

Recommended Browser Settings Recommended Browser Settings Internet Explorer Settings (PC) Mozilla Firefox Settings (PC) Mozilla Firefox Settings (Mac) Safari Settings (Mac) Chrome Settings (PC) Infinite Campus recommends modifying

More information

NuGet Package Manager Console PowerShell Reference

NuGet Package Manager Console PowerShell Reference Appendix C NuGet Package Manager Console PowerShell Reference Throughout this book, you ve seen the NuGet Package Manager Console making use of PowerShell. Although those chapters already covered the most

More information

Instructions for Editing in the new System DNN9 the Upgrade from DNN8

Instructions for Editing in the new System DNN9 the Upgrade from DNN8 Instructions for Editing in the new System DNN9 the Upgrade from DNN8 We all hate change, but going forward is the best way to go. Security needs to be top of the range and your websites need to be faster

More information

Chrome if I want to. What that should do, is have my specifications run against four different instances of Chrome, in parallel.

Chrome if I want to. What that should do, is have my specifications run against four different instances of Chrome, in parallel. Hi. I'm Prateek Baheti. I'm a developer at ThoughtWorks. I'm currently the tech lead on Mingle, which is a project management tool that ThoughtWorks builds. I work in Balor, which is where India's best

More information

SCHULICH MEDICINE & DENTISTRY Website Updates August 30, Administrative Web Editor Guide v6

SCHULICH MEDICINE & DENTISTRY Website Updates August 30, Administrative Web Editor Guide v6 SCHULICH MEDICINE & DENTISTRY Website Updates August 30, 2012 Administrative Web Editor Guide v6 Table of Contents Chapter 1 Web Anatomy... 1 1.1 What You Need To Know First... 1 1.2 Anatomy of a Home

More information

APP-J: WHAT IS APPLICATION JUKEBOX?

APP-J: WHAT IS APPLICATION JUKEBOX? APP-J: WHAT IS APPLICATION JUKEBOX? Use Application Jukebox (App-J) to run University software on any Windows PC or laptop. Launch apps from the Application Jukebox web page Install the Application Jukebox

More information

From the Insert Tab (1), highlight Picture (2) drop down and finally choose From Computer to insert a new image

From the Insert Tab (1), highlight Picture (2) drop down and finally choose From Computer to insert a new image Inserting Image To make your page more striking visually you can add images. There are three ways of loading images, one from your computer as you edit the page or you can preload them in an image library

More information

Getting Started with ExcelMVC

Getting Started with ExcelMVC Getting Started with ExcelMVC Just like Silverlight or WPF (Windows Presentation Foundation), ExcelMVC facilitates a clear separation between your application s business objects (Models), its user interfaces

More information

DEKAFLOW Access Upgrade FAQ & Troubleshooting. Frequently Asked Questions Troubleshooting Guide Installation Issues Help

DEKAFLOW Access Upgrade FAQ & Troubleshooting. Frequently Asked Questions Troubleshooting Guide Installation Issues Help DEKAFLOW 2018 Access Upgrade FAQ & Troubleshooting Click the link below for: Frequently Asked Questions Troubleshooting Guide Installation Issues Help Access Upgrade FAQ Why is this change being made?

More information

Getting Started Guide

Getting Started Guide Getting Started Guide for education accounts Setup Manual Edition 7 Last updated: September 15th, 2016 Note: Click on File and select Make a copy to save this to your Google Drive, or select Print, to

More information

CONFIGURING SAFE V4.0 IN THE IBM COLLABORATIVE LIFECYCLE MANAGEMENT

CONFIGURING SAFE V4.0 IN THE IBM COLLABORATIVE LIFECYCLE MANAGEMENT CONFIGURING SAFE V4.0 IN THE IBM COLLABORATIVE LIFECYCLE MANAGEMENT Abstract In this document, we provide step-by-step guidance to configure support for the SAFe V4.0 methodology in CLM tooling. Amy Silberbauer

More information

SLG for School Site Administrators. Applicable to Onwards

SLG for School Site Administrators. Applicable to Onwards SLG for School Site Administrators Applicable to 7.136 Onwards Revision History Version Change Description Date 7.136-1.0 Initial Release 22/10/10 7.136 1.1 Cosmetic Changes made to Deleting Online Reports.

More information

Saving Internet Searches and Resources

Saving Internet Searches and Resources Saving Internet Searches and Resources You and your students will find many resources on the Internet. Sometimes there is a graphic that is perfect for a presentation or project. Or, there may be some

More information

webdriver selenium 08FE064A22BF82F5A04B63153DCF68BB Webdriver Selenium 1 / 6

webdriver selenium 08FE064A22BF82F5A04B63153DCF68BB Webdriver Selenium 1 / 6 Webdriver Selenium 1 / 6 2 / 6 3 / 6 Webdriver Selenium Selenium WebDriver If you want to create robust, browser-based regression automation suites and tests; scale and distribute scripts across many environments

More information

Installing and Configuring Worldox/Web Mobile

Installing and Configuring Worldox/Web Mobile Installing and Configuring Worldox/Web Mobile SETUP GUIDE v 1.1 Revised 6/16/2009 REVISION HISTORY Version Date Author Description 1.0 10/20/2008 Michael Devito Revised and expanded original draft document.

More information

Developer Documentation. edirectory 11.2 Page Editor DevDocs

Developer Documentation. edirectory 11.2 Page Editor DevDocs Developer Documentation edirectory 11.2 Page Editor DevDocs 1 Introduction The all-new Widget-based, Front-End Page Editor is the new edirectory functionality available within the Site Manager to give

More information

Transitioning Teacher Websites

Transitioning Teacher Websites Transitioning Teacher Websites Google sites is an online web building tool that can be accessed and updated from anywhere there is an internet connection. Here is a brief video introduction of Google sites.

More information

You are Unable to Log into MBEF

You are Unable to Log into MBEF The following list of topics for the Mortgage Broker Electronic Filing (MBEF) system summarizes the most common questions. If you do not find the answer for your question, please consult the MBEF User

More information

KODAK INSITE. Using InSite to Upload Files. Customer InSite Instructions. Supported Browsers & Recommendations:

KODAK INSITE. Using InSite to Upload Files. Customer InSite Instructions. Supported Browsers & Recommendations: Using InSite to Upload Files These are the instructions for uploading, reviewing and approving files within the Kodak InSite Prepress Portal. If you have any questions, please contact your Account Manager.

More information

Editing Webpages in N/Vu

Editing Webpages in N/Vu Editing Webpages in N/Vu 1. Opening pages to edit in N/Vu One of the first things we covered was the importance of opening your webpage within the application. That means that you can t simply double-click

More information

Azon Master Class. By Ryan Stevenson Guidebook #7 Site Construction 2/3

Azon Master Class. By Ryan Stevenson   Guidebook #7 Site Construction 2/3 Azon Master Class By Ryan Stevenson https://ryanstevensonplugins.com/ Guidebook #7 Site Construction 2/3 Table of Contents 1. Creation of Site Pages 2. Category Pages Creation 3. Home Page Creation Creation

More information

Learning Objectives of CP-SAT v 1.31 (C#)

Learning Objectives of CP-SAT v 1.31 (C#) Learning Objectives of CP-SAT v 1.31 (C#) Knowledge with experience is power; certification is just a by-product Table of Contents 1. Tool background... 3 1.1. History of Selenium (30 mins)... 3 1.2. Selenium

More information