CSS 2: Layouts. Getting Ready: Downloading Files for this Tutorial. Fixed-Width Layouts

Size: px
Start display at page:

Download "CSS 2: Layouts. Getting Ready: Downloading Files for this Tutorial. Fixed-Width Layouts"

Transcription

1 CSS 2: Layouts This lesson will walk you the process of building a fluid layout for a webpage using CSS, based on Tutorial 8 on the Max Design Website - Visit this site to see the whole tutorial and to view other CSS tutorials. Getting Ready: Downloading Files for this Tutorial For this lesson, all you need is a page written in HTML where you can practice writing CSS. You can download practice files at: Right-click on the files needed and choose "Save Link As" to download to your "public_html" folder in EdShare (or any other folder where you want to store your web files). 1. start_index.html 2. catposter_sm.png Fixed-Width Layouts Fixed-width layouts are set to a fixed value (pixels): The wrapper has a fixed width, and all the elements have widths measured in pixels or percentages. The designer has percise control over placement of elements and the width of objects. Therefore, the design of the page will always remain the same no matter the user's screen resolution. Fixed-width layouts are fast and easy to produce, cutting down on time spent on testing and taking multiple resolutions into account. Position and shape of elements are predictable. Centering your design is recommended if you want to avoid excessive white space to the right of the design. "Choosing between a fixed-width layout and another type is a question of how much freedom the designer is willing to give the user. The former entails that design decisions are more in the hands of the designer than the user, while the latter entails that components like fonts, images and columns will scale fluidly according to the user s preferences." - smashingmagazine.com/smashing-book-1/the-art-and-science-of-css-layouts CSS 2: Layouts - 1

2 Fluid/Liquid Layouts Fluid (Liquid) Layouts use percentage values: Elements inside the container are defined in percentages and therefore adjust their size accordingly to the shape of the user's browser window. This style of layout is highly adaptable, making the most of existing real estate in the browser's viewport. Content is then expands or contracts proportionally to fill the space. Understanding relationships between elements is key - width of a child element measured in percentages is determined by the parent element. Elastic Layouts "A pixel is an unscalable dot on a computer screen, whereas an em is a square unit of font size. Font sizes vary, and the em is a relative unit that adjusts to users text-size preferences (Elastic Design, Consequently, designers size fonts in em units relative to the font-size value of their parent elements. By using ems for both layout blocks and text elements, designers are able to make a Web layout scale consistently, maintain optimal line length for the body copy and create realistic zoom effects. The result: when the user increases the font size, the layout stretches automatically, just as you would expect from an elastic object." Sources/Recommended Reading: CSS 2: Layouts - 2

3 CSS Box Model All HTML elements can be considered as boxes. In CSS, the term "box model" is used when talking about design and layout. The CSS box model is essentially a box that wraps around HTML elements, and it consists of: margins, borders, padding, and the actual content. The box model allows us to place a border around elements and space elements in relation to other elements. 1. Margin - Defines the amount of space to the border of an element from its parent container. 2. The margin does not have a background color, it is completely transparent. 3. Border - A border that goes around the padding and content. The border is affected by the background color of the box 4. Padding - Clears an area around the content. The padding is affected by the background color of the box 5. Content - The content of the box, where text and images appear Sources: w3schools.com/css/css_boxmodel.asp innovativephp.com/css-liquid-layout-tutorial-for-designing-blog-post-page Learn more about the CSS box model and positioning: CSS 2: Layouts - 3

4 Semantically marked up code A div element <div> divides a page into specific content areas, each with a unique ID selector name. The basic building block of the CSS layout is the div - an HTML element that acts as a container for text, images, and other page elements, allowing the designer to use CSS to style each content area. In this example, our page will contain five seperate divs: one large "container" element to hold the four other areas, including a sidebar, a header (located at the top of the page), content, and a footer (located across the bottom of the page). These ID names are commonly used. It's important to remember that when you name your div areas, the names are based on their meaning, rather than their appearance. Add Container <div> First, we need to add the <div> which wraps around the entire page's content to hold all of our subsquent <div> elements together. 1. Highlight all the content in the <body> in code view, but not the tags themselves. In this example, highlight from the <h1> to the closing paragraph tag right before the closing body tag. CSS 2: Layouts - 4

5 2. From the Insert Panel, select the Insert Div Tag button. 3. In the Insert Div Tag dialog box, type container in the ID text box. 5. Click on OK. Follow similar steps to add the header, sidebar, content and footer <div> elements: Add Header <div> 1. Highlight the heading 1 now located after the opening container <div> tag - make sure to select the whole element including the closing tag. 2. From the Insert Panel, select the Insert Div Tag button. 3. In the Insert Div Tag dialog box, type header in the ID text box. 4. Click on OK. Add Sidebar <div> Since we don't have content for our sidebar we will just insert an empty <div> called sidebar. 1. Place your cursor on a new line right after the closing header </div> tag. 2. From the Insert Panel, select the Insert Div Tag button. 3. In the Insert Div Tag dialog box, type sidebar in the ID text box. 4. Click on OK. CSS 2: Layouts - 5

6 Add Content <div> 1. Highlight all the content from below the sidebar <div> to the closing paragraph tag right above the closing container </div> tag. 2. From the Insert Panel, select the Insert Div Tag button. 3. In the Insert Div Tag dialog box, type content in the ID text box. 4. Click on OK. Add Footer <div> 1. Place your cursor on a new line after the content's closing </div> tag and before the container's closing </div> tag. 2. From the Insert Panel, select the Insert Div Tag button. 3. In the Insert Div Tag dialog box, type footer in the ID text box. 4. Click on OK. CSS 2: Layouts - 6

7 New CSS Rule - #container To add width, margin and other styles to the container <div>, we need to declare a new CSS Rule. 1. Click on the New CSS Rule icon in the CSS Styles Panel. 2. In the New CSS Rule dialog box make sure the following settings are set: - Selector Type: choose ID from the drop-down menu. - Selector Name: type container (same as the <div> ID name) - Rule Definition: the stylesheet attached to your HTML document should already be selected. If this is your first CSS rule, choose New Style Sheet File to begin a new external style sheet. 3. Click on OK. CSS 2: Layouts - 7

8 #container - Box Category In the dialog box appears, choose the Box category in the menu to the left. - Width: type 90 for the value then choose % from the drop-down menu. - Margin: uncheck Same for all and type the following values: Top: 10 px (select pixels from the drop down menu) Right: auto Bottom: 10px Left: auto Writing this in code looks like: #container { width: 90%; margin: 10px auto; In this case we will use a width of 90% so the CSS declaration used is: "width: 90%". Any width could be used, including 100%, which would force the content to the left and right edges of the viewport. To center the div in the viewport, we apply "auto" margins to left and right. To move the div away from the top and bottom of the viewport we use a margin of 10px. These can be combined into one shorthand CSS declaration: "margin: 10px auto". This will apply a margin of 10px to the top and bottom and auto margins to the left and right. CSS 2: Layouts - 8

9 #container - Background Category In the Background category, you may specify a background style for this specific <div>. In Background Color: type #FFF or select a color by clicking on the color picker. The CSS code for our container style so far looks like: #container { width: 90%; margin: 10px auto; background-color: #FFF; #container - Border Category In the Border category select the following or similar options: - For Style check Same for all then type Solid - For Width check Same for all then type 1 px (select pixels from the drop down menu) - For Color check Same for all then type #333 or select a color by clicking on the color picker. The CSS code for our container style: #container { width: 90%; margin: 10px auto; background-color: #FFF; border: 1px solid #333; CSS 2: Layouts - 9

10 To preview the changes first click Apply and make additional changes if necessary. Once satisfied with the styles for #container click OK. New CSS Rule - #header 1. Click on the New CSS Rule icon in the CSS Styles Panel. 2. In the New CSS Rule dialog box: - Selector Type: choose ID - Selector Name: type header - Rule Definition: leave your default style sheet selected 3. Click on OK. #header - Background Category In the Background category type #DDD in the Background-color field or select a color by clicking on the color picker. #header - Box Category In the Box category, go to Padding, check Same for all (should be checked by default) and type.5 em (select ems from the drop down menu). CSS 2: Layouts - 10

11 #header - Border Category In the Border category select the following or similar options: - Style: uncheck Same for all then for bottom choose Solid - Width: uncheck Same for all then for bottom type 1 px (select pixels from the drop down menu) - Color: uncheck Same for all then for bottom type #333 or select a color by clicking on the color picker. The CSS code for our header style: #header { padding:.5em; background-color: #ddd; border-bottom: 1px solid gray; Descendant Selectors Inside the top header there is an <h1> element. We want the words to sit.5em in from the top and left edge of the <div>. Browsers add different amounts of padding above an <h1>, so it is easiest to remove all padding and margin from this h1 and let the <div> provide the padding. This is achieved by using a descendant selector - "#header h1 { CSS 2: Layouts - 11

12 padding: 0; margin: 0;". New CSS Rule - #sidebar 1. Click on the New CSS Rule icon in the CSS Styles Panel. 2. In the New CSS Rule dialog box: - Selector Type: choose ID - Selector Name: type sidebar - Rule Definition: leave your default style sheet selected 3. Click on OK. #sidebar - Box Category In the Box category: - Width: type 12 for the value then select em from the drop-down menu - Float: choose left - Padding: type 1 and select em Since the element is floated, a width must be given. Padding creates white space within this <div>. The CSS code for the sidebar: #sidebar { float: left; width: 12em; padding: 1em; CSS 2: Layouts - 12

13 New CSS Rule - #content 1. Click on the New CSS Rule icon in the CSS Styles Panel. 2. In the New CSS Rule dialog box: - Selector Type: choose ID - Selector Name: type content - Rule Definition: leave your default style sheet selected 3. Click on OK. #content - Box Category 1. In the Box category: - Padding: type 1 and select em from the drop-down menu - Margin: uncheck Same for all and type the following values: Right: 10 px Left: 13 em 2. Adding a left border: Borders (and background colors) are useful to visually separate areas of content. 3. Setting a max-width: Standards-compliant browsers will not allow the content area to go wider than the width you specify - keeping the line length comfortable to read no matter how large the screen resolution. The CSS Code for our header style so far looks like (added or changed items in bold): #content { margin-left: 13em; margin-right: 10px; padding: 1em; max-width: 36em; border-left: 1px solid gray; CSS 2: Layouts - 13

14 Removing Top Margins Browsers use different amounts of margin above paragraphs and headings. It is safe to remove all top margins, as long as there are bottom margins to keep the paragraphs and headings separate from elements below them: p {margin: 0 0 1em 0 New CSS Rule - #footer 1. Click on the New CSS Rule icon in the CSS Styles Panel. 2. In the New CSS Rule dialog box: - Selector Type: choose ID - Selector Name: type footer - Rule Definition: leave your default style sheet selected 3. Click on OK. #footer - Box Category To style the footer, we first need to set it to "clear: both" in the Box category. This is critical, as it will force the footer below any floated elements above. For some Padding, enter.5 em. #footer { CSS 2: Layouts - 14

15 clear: both; padding:.5em; CSS Validation and Testing your Webpage Just like validating the HTML, all style sheets should be tested to see if its up to standards by validating them with a CSS validator. Websites should be tested in many browsers on different computers and devices to make sure that no possible audience is missing out on the information you are trying to communicate. Validating your CSS: Pre-Made CSS Layouts in Dreamweaver When creating a new site in Dreamweaver, you can create one that already contains a CSS layout. Dreamweaver comes with several different CSS layouts you can choose from. Additionally, you can create your own CSS layouts and add them to the configuration folder so that they appear as layout choices in the New Document dialog box. 1. Select File > New. 2. In the New Document dialog box, select the Blank Page category. (It s the default selection.) 3. For Page Type, select HTML. 4. For Layout, select the CSS layout you want to use. The Preview window shows the layout and gives a brief description of the selected layout. Note that there are layout options for HTML5 as well. CSS 2: Layouts - 15

16 5. Select a location for the layout s CSS from the "Layout CSS" drop-down menu. Choose "Create New File" if this is a new site with no existing CSS or "Link to Existing File" if you have a style sheet already started for your site. (When you select the Link to Existing File option, the file you specify must already have the rules for the CSS file contained within it.) (Optional: You can also attach CSS style sheets to your new page (unrelated to the CSS layout) when you create the page. To do this, click the Attach Style Sheet icon above the Attach CSS file pane and select a CSS style sheet.) 6. If you selected "Create New File,", click Create, and then specify a name for the new external file in the Save Style Sheet File As dialog box. If you selected Link to Existing File from the Layout CSS in pop up menu, add the external file to the Attach CSS file text box by clicking the Add Style Sheet icon (chain link icon), and browsing for the external style sheet file. When you re finished, click OK, then Create in the New Document dialog box. Note: Internet Explorer conditional comments (CCs), which help work around IE rendering issues, remain embedded in the head of the new CSS layout document, even if you select New External File or Existing External File as the location for your layout CSS. NEW in Dreamweaver CS6: Fluid Grid Layouts If you want to build a site that is truly "responsive," Dreamweaver now offers a WYSIWYG solution for designing different layouts (depending on browser size) for the same page. For a detailed demo video for how to get started with Dreamweaver's Fluid Grid Layouts, watch: CSS 2: Layouts - 16

17 Pre-Made CSS Layout Inspiration Online Here are some possible websites that allow you to download their templates and modify them for your own specific content. However, you will want to notice if they ask you to put a link back to the creator of the design. - Open Source Web Design : - Free CSS Templates : - Open Web Design.org : - Layout Gala: - Free HTML5 Templates: Web Design Resources & Further Learning Visit our curated list of resources, tools and articles to improve your web skills: Contact Information St. Edward's University Instructional Technology Training training@stedwards.edu Watch our screencasts online: Register for more free workshops: Need time to work on your website with assistance from a Trainer? Come by the training room during Innovation Creation Lounge hours. CSS 2: Layouts - 17

18 CSS Shorthand Cheat Sheet by Example leigeber.com Margin & Padding margin-top: 0; margin-right: 5px; margin-bottom: 10px; margin-left: 15px; (auto, 0, px, pt, em or %) margin:0 5px 10px 15px; (top right bottom left) margin-top: 10px; margin-right: 20px; margin-bottom: 0; margin-left: 20px; margin:10px 20px 0; (top right/left bottom) margin-top: 0; margin-right: auto; margin-bottom: 0; margin-left: auto; margin:0 auto; (top/bottom left/right) margin-top: 50px; margin-right: 50px; margin-bottom: 50px; margin-left: 50px; margin:50px; (top/right/bottom/left) Border border-width: 5px; (thin, thick, medium or set value) (default = medium) border-style: dotted; (solid, dashed, dotted, double, etc) (default = none) border-color: blue; (named, hex, rgb or 0-255) (default = value of elements/ elements parent color property) border:5px dotted blue; border-right-width: 2px; border-right-style: solid; border-right-color: #666666; border-right:2px solid #666; border-top-width: 3px; border-right-width: 2px; border-bottom-width: 3px; border-left-width: 2px; border-width:3px 2px; Background background-color: #CCCCCC; (named, hex, rgb or 0-255) (default = transparent) background-image: url(images/bg.gif); (url or none) (default = none) background-repeat: no-repeat; (repeat, repeat-x, repeat-y or no-repeat) (default = repeat) background-attachment: scroll; (fixed or scroll) (default = scroll) background-position: top left; (top, right, left, bottom or center) (default = 0% 0%) background:#ccc url(images/bg.gif) no-repeat 0 0; Font font-family: Verdana, Arial, Helvetica; (Verdana, Arial, Times New Roman, etc) (default = browse based) font-size: 12px; (xx-small, medium, x-large, set value, etc) (default = medium) font-weight: bold; (normal, bold, bolder, lighter, or inherit) (default = normal) font-style: italic; (normal, italic or oblique) (default = normal) font-variant: normal; (normal or small-caps) (default = normal) line-height: 1.5; (normal, px, pt, em, num or %) (default = normal) font:italic bold 12px/1.5 Verdana, Arial, Helvetica; List list-style-image: url(images/bullet.gif); (url or none) (default = none) list-style-position: inside; (inside or outside) (default = outside) list-style-type: square; (circle, disc, square, etc) (default = disc) list-style:square inside url(images/bullet.gif); Color Aqua: #00ffff to #0ff Black: # to #000 Blue: #0000ff to #00f Dark Grey: # to #666 Fuchsia:#ff00ff to #f0f Light Grey: #cccccc to #ccc Lime: #00ff00 to#0f0 Orange: #ff6600 to #f60 Red: #ff0000 to #f00 White: #ffffff to #fff Yellow: #ffff00 to #ff0

19 Website Evaluation Checklist So you ve got a website up and running - now it s time to go through and look at your finished site to add or adjust the finishing touches. This list is also helpful to go through periodically as your site grows and changes over time to keep your site working and manageable. 1. Clean up your code. First things first! Check that your site is meeting W3C standards using their validator ( Correct the errors the validator finds it even tells you on what exact line of code the error is on! 2. Take a step back to evaluate your layout. Pull up your site online and step away from the computer. Does the overall design of your site look nicely balanced or is the page cluttered with too much text, images and video? While space is precious, you can get away with a busy site if your design is clean. Do you need to re- think your layout? * Don t fear whitespace! Use spaces between content and images to prevent your site from looking smashed together. You can have a tightly packaged site while still not looking like a tabloid. * What does your site look like at various resolutions? On a tablet or smartphone? 3. Re- read your copy. Is your site saying what you mean it to say? Are there areas you may need to clarify? Are there long blocks of text that no one would ever read online? Consider if the writing is web- friendly while still conveying what you need to get across. 3b. Re- examine your images. Do your images relate to the page s topic? Do they take up too much space and crowd out important text? Should you add or change a picture? 4. Check your loading time. Are loooooong pages or giant graphics taking too long to load? You may need to consider scaling back and moving stuff around if your pages scroll on forever or if every image you use is gigantic.

20 5. Where s your navigation? The most user- friendly navigation is a system that is clear and consistent across every page of your site. If it s a list of links in a bar across the top of your page, it should stay there. Keep your navigation easy to see and readily clickable. * Can you find your way around? Is information readily available to your visitors? 6. Test your links! Do all of your links work? It can be very irksome when links on a site are broken. A periodic check to make sure that your site s links work will prevent disappointed visitors and make you look better in Google s eyes (search engines want to see your links work). 7. Revisit content on a regular basis. Due to the nature of your site, it may require more frequent updates than others. However, don t make the web 1.0 mistake of putting up a website and never changing it again. Returning visitors will expect recent additions or news, so give it to them! From an SEO (search engine optimization) perspective, the more you update your site, the more frequent your visits from search bots who are responsible for finding the websites that return in online searches like Google s.

Introduction to Adobe Dreamweaver CC

Introduction to Adobe Dreamweaver CC Introduction to Adobe Dreamweaver CC What is Dreamweaver? Dreamweaver is the program that we will be programming our websites into all semester. We will be slicing our designs out of Fireworks and assembling

More information

Web Design Basics. Cindy Royal, Ph.D. Associate Professor Texas State University

Web Design Basics. Cindy Royal, Ph.D. Associate Professor Texas State University Web Design Basics Cindy Royal, Ph.D. Associate Professor Texas State University HTML and CSS HTML stands for Hypertext Markup Language. It is the main language of the Web. While there are other languages

More information

{color:blue; font-size: 12px;}

{color:blue; font-size: 12px;} CSS stands for cascading style sheets. Styles define how to display a web page. Styles remove the formatting of a document from the content of the document. There are 3 ways that styles can be applied:

More information

CREATING A NEWSLETTER IN ADOBE DREAMWEAVER CS5 (step-by-step directions)

CREATING A NEWSLETTER IN ADOBE DREAMWEAVER CS5 (step-by-step directions) CREATING A NEWSLETTER IN ADOBE DREAMWEAVER CS5 (step-by-step directions) Step 1 - DEFINE A NEW WEB SITE - 5 POINTS 1. From the welcome window that opens select the Dreamweaver Site... or from the main

More information

Web Design and Databases WD: Class 7: HTML and CSS Part 3

Web Design and Databases WD: Class 7: HTML and CSS Part 3 Web Design and Databases WD: Class 7: HTML and CSS Part 3 Dr Helen Hastie Dept of Computer Science Heriot-Watt University Some contributions from Head First HTML with CSS and XHTML, O Reilly Recap! HTML

More information

Dreamweaver CS4 Day 2 Creating a Website using Div Tags, CSS, and Templates

Dreamweaver CS4 Day 2 Creating a Website using Div Tags, CSS, and Templates Dreamweaver CS4 Day 2 Creating a Website using Div Tags, CSS, and Templates What is a DIV tag? First, let s recall that HTML is a markup language. Markup provides structure and order to a page. For example,

More information

Web Design with CSS and CSS3. Dr. Jan Stelovsky

Web Design with CSS and CSS3. Dr. Jan Stelovsky Web Design with CSS and CSS3 Dr. Jan Stelovsky CSS Cascading Style Sheets Separate the formatting from the structure Best practice external CSS in a separate file link to a styles from numerous pages Style

More information

Contents. Downloading the Data Files... 2. Centering Page Elements... 6

Contents. Downloading the Data Files... 2. Centering Page Elements... 6 Creating a Web Page Using HTML Part 1: Creating the Basic Structure of the Web Site INFORMATION TECHNOLOGY SERVICES California State University, Los Angeles Version 2.0 Winter 2010 Contents Introduction...

More information

Creating Web Pages with Dreamweaver CS 6 and CSS

Creating Web Pages with Dreamweaver CS 6 and CSS Table of Contents Overview... 3 Getting Started... 3 Web Page Creation Tips... 3 Creating a Basic Web Page Exercise... 4 Create a New Page... 4 Using a Table for the Layout... 5 Adding Text... 6 Adding

More information

CSS. CSS - cascading style sheets CSS - permite separar num documento HTML o conteúdo do estilo. ADI css 1/28

CSS. CSS - cascading style sheets CSS - permite separar num documento HTML o conteúdo do estilo. ADI css 1/28 CSS CSS - cascading style sheets CSS - permite separar num documento HTML o conteúdo do estilo ADI css 1/28 Cascaded Style Sheets Por ordem de prioridade: Inline

More information

Further web design: Cascading Style Sheets Practical workbook

Further web design: Cascading Style Sheets Practical workbook Further web design: Cascading Style Sheets Practical workbook Aims and Learning Objectives This document gives an introduction to the use of Cascading Style Sheets in HTML. When you have completed these

More information

Web layout guidelines for daughter sites of Scotland s Environment

Web layout guidelines for daughter sites of Scotland s Environment Web layout guidelines for daughter sites of Scotland s Environment Current homepage layout of Scotland s Aquaculture and Scotland s Soils (September 2014) Design styles A daughter site of Scotland s Environment

More information

JJY s Joomla 1.5 Template Design Tutorial:

JJY s Joomla 1.5 Template Design Tutorial: JJY s Joomla 1.5 Template Design Tutorial: Joomla 1.5 templates are relatively simple to construct, once you know a few details on how Joomla manages them. This tutorial assumes that you have a good understanding

More information

Recreate your Newsletter Content and Layout within Informz (Workshop) Monica Capogna and Dan Reade. Exercise: Creating two types of Story Layouts

Recreate your Newsletter Content and Layout within Informz (Workshop) Monica Capogna and Dan Reade. Exercise: Creating two types of Story Layouts Recreate your Newsletter Content and Layout within Informz (Workshop) Monica Capogna and Dan Reade Exercise: Creating two types of Story Layouts 1. Creating a basic story layout (with title and content)

More information

Microsoft Expression Web Quickstart Guide

Microsoft Expression Web Quickstart Guide Microsoft Expression Web Quickstart Guide Expression Web Quickstart Guide (20-Minute Training) Welcome to Expression Web. When you first launch the program, you ll find a number of task panes, toolbars,

More information

CSS for Page Layout. Key Concepts

CSS for Page Layout. Key Concepts CSS for Page Layout Key Concepts CSS Page Layout Advantages Greater typography control Style is separate from structure Potentially smaller documents Easier site maintenance Increased page layout control

More information

Using Style Sheets for Consistency

Using Style Sheets for Consistency Cascading Style Sheets enable you to easily maintain a consistent look across all the pages of a web site. In addition, they extend the power of HTML. For example, style sheets permit specifying point

More information

CST 150 Web Design I CSS Review - In-Class Lab

CST 150 Web Design I CSS Review - In-Class Lab CST 150 Web Design I CSS Review - In-Class Lab The purpose of this lab assignment is to review utilizing Cascading Style Sheets (CSS) to enhance the layout and formatting of web pages. For Parts 1 and

More information

Responsive Web Design for Teachers. Exercise: Building a Responsive Page with the Fluid Grid Layout Feature

Responsive Web Design for Teachers. Exercise: Building a Responsive Page with the Fluid Grid Layout Feature Exercise: Building a Responsive Page with the Fluid Grid Layout Feature Now that you know the basic principles of responsive web design CSS3 Media Queries, fluid images and media, and fluid grids, you

More information

Kentico CMS, 2011 Kentico Software. Contents. Mobile Development using Kentico CMS 6 2 Exploring the Mobile Environment 1

Kentico CMS, 2011 Kentico Software. Contents. Mobile Development using Kentico CMS 6 2 Exploring the Mobile Environment 1 Contents Mobile Development using Kentico CMS 6 2 Exploring the Mobile Environment 1 Time for action - Viewing the mobile sample site 2 What just happened 4 Time for Action - Mobile device redirection

More information

Creating a Resume Webpage with

Creating a Resume Webpage with Creating a Resume Webpage with 6 Cascading Style Sheet Code In this chapter, we will learn the following to World Class CAD standards: Using a Storyboard to Create a Resume Webpage Starting a HTML Resume

More information

Last week we talked about creating your own tags: div tags and span tags. A div tag goes around other tags, e.g.,:

Last week we talked about creating your own tags: div tags and span tags. A div tag goes around other tags, e.g.,: CSS Tutorial Part 2: Last week we talked about creating your own tags: div tags and span tags. A div tag goes around other tags, e.g.,: animals A paragraph about animals goes here

More information

CHAPTER 10. When you complete this chapter, you will be able to:

CHAPTER 10. When you complete this chapter, you will be able to: Data Tables CHAPTER 10 When you complete this chapter, you will be able to: Use table elements Use table headers and footers Group columns Style table borders Apply padding, margins, and fl oats to tables

More information

ICE: HTML, CSS, and Validation

ICE: HTML, CSS, and Validation ICE: HTML, CSS, and Validation Formatting a Recipe NAME: Overview Today you will be given an existing HTML page that already has significant content, in this case, a recipe. Your tasks are to: mark it

More information

How To Create A Web Page On A Windows 7.1.1 (For Free) With A Notepad) On A Macintosh (For A Freebie) Or Macintosh Web Browser (For Cheap) On Your Computer Or Macbook (

How To Create A Web Page On A Windows 7.1.1 (For Free) With A Notepad) On A Macintosh (For A Freebie) Or Macintosh Web Browser (For Cheap) On Your Computer Or Macbook ( CREATING WEB PAGE WITH NOTEPAD USING HTML AND CSS The following exercises illustrate the process of creating and publishing Web pages with Notepad, which is the plain text editor that ships as part of

More information

Application Note. Building a Website Using Dreamweaver without Programming. Nan Xia. MSU ECE 480 Team 5

Application Note. Building a Website Using Dreamweaver without Programming. Nan Xia. MSU ECE 480 Team 5 Application Note Building a Website Using Dreamweaver without Programming Nan Xia MSU ECE 480 Team 5 11/16/2012 Table of Contents Abstract... 3 Introduction and Background... 3 Keywords... 3 Procedure...

More information

Dreamweaver CS6 Basics

Dreamweaver CS6 Basics Dreamweaver CS6 Basics Learn the basics of building an HTML document using Adobe Dreamweaver by creating a new page and inserting common HTML elements using the WYSIWYG interface. EdShare EdShare is a

More information

Mobile Web Site Style Guide

Mobile Web Site Style Guide YoRk University Mobile Web Site Style Guide Table of Contents This document outlines the graphic standards for the mobile view of my.yorku.ca. It is intended to be used as a guide for all York University

More information

Sample Table. Columns. Column 1 Column 2 Column 3 Row 1 Cell 1 Cell 2 Cell 3 Row 2 Cell 4 Cell 5 Cell 6 Row 3 Cell 7 Cell 8 Cell 9.

Sample Table. Columns. Column 1 Column 2 Column 3 Row 1 Cell 1 Cell 2 Cell 3 Row 2 Cell 4 Cell 5 Cell 6 Row 3 Cell 7 Cell 8 Cell 9. Working with Tables in Microsoft Word The purpose of this document is to lead you through the steps of creating, editing and deleting tables and parts of tables. This document follows a tutorial format

More information

Web Design and Development ACS-1809. Chapter 9. Page Structure

Web Design and Development ACS-1809. Chapter 9. Page Structure Web Design and Development ACS-1809 Chapter 9 Page Structure 1 Chapter 9: Page Structure Organize Sections of Text Format Paragraphs and Page Elements 2 Identifying Natural Divisions It is normal for a

More information

Adobe Dreamweaver CC 14 Tutorial

Adobe Dreamweaver CC 14 Tutorial Adobe Dreamweaver CC 14 Tutorial GETTING STARTED This tutorial focuses on the basic steps involved in creating an attractive, functional website. In using this tutorial you will learn to design a site

More information

AEGEE Podio Guidelines

AEGEE Podio Guidelines AEGEE Podio Guidelines EUROPEAN STUDENTS FORUM Contains What is Podio?... 3 Podio vs Facebook... 3 Video Tutorial Podio Basics... 3 Podio for AEGEE-Europe... 3 How to get it?... 3 Getting started... 4

More information

Using an external style sheet with Dreamweaver (CS6)

Using an external style sheet with Dreamweaver (CS6) Using an external style sheet with Dreamweaver (CS6) nigelbuckner.com 2012 This handout explains how to create an external style sheet, the purpose of selector types and how to create styles. It does not

More information

Web Authoring CSS. www.fetac.ie. Module Descriptor

Web Authoring CSS. www.fetac.ie. Module Descriptor The Further Education and Training Awards Council (FETAC) was set up as a statutory body on 11 June 2001 by the Minister for Education and Science. Under the Qualifications (Education & Training) Act,

More information

Building a Horizontal Menu in Dreamweaver CS3 Using Spry R. Berdan

Building a Horizontal Menu in Dreamweaver CS3 Using Spry R. Berdan Building a Horizontal Menu in Dreamweaver CS3 Using Spry R. Berdan In earlier versions of dreamweaver web developers attach drop down menus to graphics or hyperlinks by using the behavior box. Dreamweaver

More information

Web Design I. Spring 2009 Kevin Cole Gallaudet University 2009.03.05

Web Design I. Spring 2009 Kevin Cole Gallaudet University 2009.03.05 Web Design I Spring 2009 Kevin Cole Gallaudet University 2009.03.05 Layout Page banner, sidebar, main content, footer Old method: Use , , New method: and "float" CSS property Think

More information

Using Adobe Dreamweaver CS4 (10.0)

Using Adobe Dreamweaver CS4 (10.0) Getting Started Before you begin create a folder on your desktop called DreamweaverTraining This is where you will save your pages. Inside of the DreamweaverTraining folder, create another folder called

More information

GUIDE TO CODE KILLER RESPONSIVE EMAILS

GUIDE TO CODE KILLER RESPONSIVE EMAILS GUIDE TO CODE KILLER RESPONSIVE EMAILS THAT WILL MAKE YOUR EMAILS BEAUTIFUL 3 Create flawless emails with the proper use of HTML, CSS, and Media Queries. But this is only possible if you keep attention

More information

CREATING HORIZONTAL NAVIGATION BAR USING ADOBE DREAMWEAVER CS5

CREATING HORIZONTAL NAVIGATION BAR USING ADOBE DREAMWEAVER CS5 CREATING HORIZONTAL NAVIGATION BAR USING ADOBE DREAMWEAVER CS5 Step 1 - Creating list of links - (5 points) Traditionally, CSS navigation is based on unordered list - . Any navigational bar can be

More information

ADOBE DREAMWEAVER CS3 TUTORIAL

ADOBE DREAMWEAVER CS3 TUTORIAL ADOBE DREAMWEAVER CS3 TUTORIAL 1 TABLE OF CONTENTS I. GETTING S TARTED... 2 II. CREATING A WEBPAGE... 2 III. DESIGN AND LAYOUT... 3 IV. INSERTING AND USING TABLES... 4 A. WHY USE TABLES... 4 B. HOW TO

More information

LaGuardia Community College 31-10 Thomson Ave, Long Island City, New York 11101 Created by ISMD s Dept. Training Team. Overview

LaGuardia Community College 31-10 Thomson Ave, Long Island City, New York 11101 Created by ISMD s Dept. Training Team. Overview Overview Dreamweaver gives you many options when it comes to setting the properties for your webpages. Within the "Page Properties" dialog box, you can set the appearance of your page, name your page and

More information

Simply download Beepip from http://beepip.com and run the file when it arrives at your computer.

Simply download Beepip from http://beepip.com and run the file when it arrives at your computer. Beepip User Guide How To's: How do I install Beepip? Simply download Beepip from http://beepip.com and run the file when it arrives at your computer. How do I set up Beepip? Once you've opened up Beepip,

More information

CSS - Cascading Style Sheets

CSS - Cascading Style Sheets CSS - Cascading Style Sheets From http://www.csstutorial.net/ http://www.w3schools.com/css/default.asp What is CSS? CSS stands for Cascading Style Sheets Styles define how to display HTML elements External

More information

Virtual Exhibit 5.0 requires that you have PastPerfect version 5.0 or higher with the MultiMedia and Virtual Exhibit Upgrades.

Virtual Exhibit 5.0 requires that you have PastPerfect version 5.0 or higher with the MultiMedia and Virtual Exhibit Upgrades. 28 VIRTUAL EXHIBIT Virtual Exhibit (VE) is the instant Web exhibit creation tool for PastPerfect Museum Software. Virtual Exhibit converts selected collection records and images from PastPerfect to HTML

More information

Basic tutorial for Dreamweaver CS5

Basic tutorial for Dreamweaver CS5 Basic tutorial for Dreamweaver CS5 Creating a New Website: When you first open up Dreamweaver, a welcome screen introduces the user to some basic options to start creating websites. If you re going to

More information

Base template development guide

Base template development guide Scandiweb Base template development guide General This document from Scandiweb.com contains Magento theme development guides and theme development case study. It will basically cover two topics Magento

More information

Advanced Editor User s Guide

Advanced Editor User s Guide Advanced Editor User s Guide 1601 Trapelo Road Suite 329 Waltham, MA 02451 www.constantcontact.com Constant Contact, Inc. reserves the right to make any changes to the information contained in this publication

More information

Essential HTML & CSS for WordPress. Mark Raymond Luminys, Inc. 949-654-3890 mraymond@luminys.com www.luminys.com

Essential HTML & CSS for WordPress. Mark Raymond Luminys, Inc. 949-654-3890 mraymond@luminys.com www.luminys.com Essential HTML & CSS for WordPress Mark Raymond Luminys, Inc. 949-654-3890 mraymond@luminys.com www.luminys.com HTML: Hypertext Markup Language HTML is a specification that defines how pages are created

More information

Create a Poster Using Publisher

Create a Poster Using Publisher Contents 1. Introduction 1. Starting Publisher 2. Create a Poster Template 5. Aligning your images and text 7. Apply a background 12. Add text to your poster 14. Add pictures to your poster 17. Add graphs

More information

Create a Google Site in DonsApp

Create a Google Site in DonsApp Create a Google Site in DonsApp 1 Google Web Site Interactive. Constructivist. Collaborative. Communities. WHAT IS GOOGLE SITE? With one single click, you can create a website without any knowledge of

More information

Adobe Illustrator CS6. Illustrating Innovative Web Design

Adobe Illustrator CS6. Illustrating Innovative Web Design Overview In this seminar, you will learn how to create a basic graphic in Illustrator, export that image for web use, and apply it as the background for a section of a web page. You will use both Adobe

More information

Basics of HTML (some repetition) Cascading Style Sheets (some repetition) Web Design

Basics of HTML (some repetition) Cascading Style Sheets (some repetition) Web Design Basics of HTML (some repetition) Cascading Style Sheets (some repetition) Web Design Contents HTML Quiz Design CSS basics CSS examples CV update What, why, who? Before you start to create a site, it s

More information

Create Your own Company s Design Theme

Create Your own Company s Design Theme Create Your own Company s Design Theme A simple yet effective approach to custom design theme INTRODUCTION Iron Speed Designer out of the box already gives you a good collection of design themes, up to

More information

ITNP43: HTML Lecture 4

ITNP43: HTML Lecture 4 ITNP43: HTML Lecture 4 1 Style versus Content HTML purists insist that style should be separate from content and structure HTML was only designed to specify the structure and content of a document Style

More information

Development Perspective: DIV and CSS HTML layout. Web Design. Lesson 2. Development Perspective: DIV/CSS

Development Perspective: DIV and CSS HTML layout. Web Design. Lesson 2. Development Perspective: DIV/CSS Web Design Lesson 2 Development Perspective: DIV/CSS Why tables have been tabled Tables are a cell based layout tool used in HTML development. Traditionally they have been the primary tool used by web

More information

HTML CSS Basic Structure. HTML Structure [Source Code] CSS Structure [Cascading Styles] DIV or ID Tags and Classes. The BOX MODEL

HTML CSS Basic Structure. HTML Structure [Source Code] CSS Structure [Cascading Styles] DIV or ID Tags and Classes. The BOX MODEL HTML CSS Basic Structure HTML [Hypertext Markup Language] is the code read by a browser and defines the overall page structure. The HTML file or web page [.html] is made up of a head and a body. The head

More information

Drupal Training Guide

Drupal Training Guide Drupal Training Guide Getting Started Drupal Information page on the IT site: http://it.santarosa.edu/drupal On this page is information about Drupal sign up, what Drupal is, which is a content management

More information

Website Builder Documentation

Website Builder Documentation Website Builder Documentation Main Dashboard page In the main dashboard page you can see and manager all of your projects. Filter Bar In the filter bar at the top you can filter and search your projects

More information

This document will describe how you can create your own, fully responsive. drag and drop email template to use in the email creator.

This document will describe how you can create your own, fully responsive. drag and drop email template to use in the email creator. 1 Introduction This document will describe how you can create your own, fully responsive drag and drop email template to use in the email creator. It includes ready-made HTML code that will allow you to

More information

KOMPOZER Web Design Software

KOMPOZER Web Design Software KOMPOZER Web Design Software An IGCSE Student Handbook written by Phil Watkins www.kompozer.net CONTENTS This student guide is designed to allow for you to become a competent user* of the Kompozer web

More information

Introduction to Microsoft Word 2003

Introduction to Microsoft Word 2003 Introduction to Microsoft Word 2003 Sabeera Kulkarni Information Technology Lab School of Information University of Texas at Austin Fall 2004 1. Objective This tutorial is designed for users who are new

More information

Jadu Content Management Systems Web Publishing Guide. Table of Contents (click on chapter titles to navigate to a specific chapter)

Jadu Content Management Systems Web Publishing Guide. Table of Contents (click on chapter titles to navigate to a specific chapter) Jadu Content Management Systems Web Publishing Guide Table of Contents (click on chapter titles to navigate to a specific chapter) Jadu Guidelines, Glossary, Tips, URL to Log In & How to Log Out... 2 Landing

More information

WP Popup Magic User Guide

WP Popup Magic User Guide WP Popup Magic User Guide Plugin version 2.6+ Prepared by Scott Bernadot WP Popup Magic User Guide Page 1 Introduction Thank you so much for your purchase! We're excited to present you with the most magical

More information

Scoop Hosted Websites. USER MANUAL PART 4: Advanced Features. Phone: +61 8 9388 8188 Email: scoop@scoopdigital.com.au Website: scoopdigital.com.

Scoop Hosted Websites. USER MANUAL PART 4: Advanced Features. Phone: +61 8 9388 8188 Email: scoop@scoopdigital.com.au Website: scoopdigital.com. Scoop Hosted Websites USER MANUAL PART 4: Advanced Features Phone: +61 8 9388 8188 Email: scoop@scoopdigital.com.au Website: scoopdigital.com.au Index Advanced Features... 3 1 Integrating Third Party Content...

More information

Inspiring Creative Fun Ysbrydoledig Creadigol Hwyl. Web Design in Nvu Workbook 2

Inspiring Creative Fun Ysbrydoledig Creadigol Hwyl. Web Design in Nvu Workbook 2 Inspiring Creative Fun Ysbrydoledig Creadigol Hwyl Web Design in Nvu Workbook 2 CSS stands for Cascading Style Sheets, these allow you to specify the look and feel of your website. It also helps with consistency.

More information

Digital Marketing EasyEditor Guide Dynamic

Digital Marketing EasyEditor Guide Dynamic Surveys ipad Segmentation Reporting Email Sign up Email marketing that works for you Landing Pages Results Digital Marketing EasyEditor Guide Dynamic Questionnaires QR Codes SMS 43 North View, Westbury

More information

Citywide User Experience Design Guidelines: NYC.gov Style Guide. Final 1.2 - Public 11/8/2013

Citywide User Experience Design Guidelines: NYC.gov Style Guide. Final 1.2 - Public 11/8/2013 CITYWIDE GUIDELINES Citywide User Experience Design Guidelines: NYC.gov Style Guide 1.0 Overview Final 1.2 - Public 11/8/2013 City of New York Department of Information Technology and Telecommunications

More information

Web Design for Print Designers WEB DESIGN FOR PRINT DESIGNERS: WEEK 6

Web Design for Print Designers WEB DESIGN FOR PRINT DESIGNERS: WEEK 6 Web Design for Print Designers CSS uses a variety of declarations for styling text. Many use the variations of the font declaration. Other styles are done using different declarations. The font declaration

More information

A send-a-friend application with ASP Smart Mailer

A send-a-friend application with ASP Smart Mailer A send-a-friend application with ASP Smart Mailer Every site likes more visitors. One of the ways that big sites do this is using a simple form that allows people to send their friends a quick email about

More information

Responsive Email Design

Responsive Email Design Responsive Email Design For the Hospitality Industry By Arek Klauza, Linda Tran & Carrie Messmore February 2013 Responsive Email Design There has been a lot of chatter in recent months in regards to Responsive

More information

Click on the links below to find the appropriate place in the document

Click on the links below to find the appropriate place in the document Index Click on the links below to find the appropriate place in the document Masthead Masthead is the large line of colour at the top of the Service Manager Screen. The Masthead also includes; The Customer

More information

HTML5 and CSS3 Part 1: Using HTML and CSS to Create a Website Layout

HTML5 and CSS3 Part 1: Using HTML and CSS to Create a Website Layout CALIFORNIA STATE UNIVERSITY, LOS ANGELES INFORMATION TECHNOLOGY SERVICES HTML5 and CSS3 Part 1: Using HTML and CSS to Create a Website Layout Fall 2011, Version 1.0 Table of Contents Introduction...3 Downloading

More information

Fireworks CS4 Tutorial Part 1: Intro

Fireworks CS4 Tutorial Part 1: Intro Fireworks CS4 Tutorial Part 1: Intro This Adobe Fireworks CS4 Tutorial will help you familiarize yourself with this image editing software and help you create a layout for a website. Fireworks CS4 is the

More information

Microsoft PowerPoint 2010 Handout

Microsoft PowerPoint 2010 Handout Microsoft PowerPoint 2010 Handout PowerPoint is a presentation software program that is part of the Microsoft Office package. This program helps you to enhance your oral presentation and keep the audience

More information

Google Sites: Site Creation and Home Page Design

Google Sites: Site Creation and Home Page Design Google Sites: Site Creation and Home Page Design This is the second tutorial in the Google Sites series. You should already have your site set up. You should know its URL and your Google Sites Login and

More information

Code View User s Guide

Code View User s Guide Code View User s Guide 1601 Trapelo Road Suite 329 Waltham, MA 02451 www.constantcontact.com Constant Contact, Inc. reserves the right to make any changes to the information contained in this publication

More information

Responsive Web Design: Media Types/Media Queries/Fluid Images

Responsive Web Design: Media Types/Media Queries/Fluid Images HTML Media Types Responsive Web Design: Media Types/Media Queries/Fluid Images Mr Kruyer s list of HTML Media Types to deliver CSS to different devices. Important note: Only the first three are well supported.

More information

Microsoft Word defaults to left justified (aligned) paragraphs. This means that new lines automatically line up with the left margin.

Microsoft Word defaults to left justified (aligned) paragraphs. This means that new lines automatically line up with the left margin. Microsoft Word Part 2 Office 2007 Microsoft Word 2007 Part 2 Alignment Microsoft Word defaults to left justified (aligned) paragraphs. This means that new lines automatically line up with the left margin.

More information

NDSU Technology Learning & Media Center. Introduction to Google Sites

NDSU Technology Learning & Media Center. Introduction to Google Sites NDSU Technology Learning & Media Center QBB 150C 231-5130 www.ndsu.edu/its/tlmc Introduction to Google Sites Get Help at the TLMC 1. Get help with class projects on a walk-in basis; student learning assistants

More information

DOING MORE WITH WORD: MICROSOFT OFFICE 2010

DOING MORE WITH WORD: MICROSOFT OFFICE 2010 University of North Carolina at Chapel Hill Libraries Carrboro Cybrary Chapel Hill Public Library Durham County Public Library DOING MORE WITH WORD: MICROSOFT OFFICE 2010 GETTING STARTED PAGE 02 Prerequisites

More information

Microsoft FrontPage 2003

Microsoft FrontPage 2003 Information Technology Services Kennesaw State University Microsoft FrontPage 2003 Information Technology Services Microsoft FrontPage Table of Contents Information Technology Services...1 Kennesaw State

More information

In this session, we will explain some of the basics of word processing. 1. Start Microsoft Word 11. Edit the Document cut & move

In this session, we will explain some of the basics of word processing. 1. Start Microsoft Word 11. Edit the Document cut & move WORD PROCESSING In this session, we will explain some of the basics of word processing. The following are the outlines: 1. Start Microsoft Word 11. Edit the Document cut & move 2. Describe the Word Screen

More information

Designing HTML Emails for Use in the Advanced Editor

Designing HTML Emails for Use in the Advanced Editor Designing HTML Emails for Use in the Advanced Editor For years, we at Swiftpage have heard a recurring request from our customers: wouldn t it be great if you could create an HTML document, import it into

More information

IAS Web Development using Dreamweaver CS4

IAS Web Development using Dreamweaver CS4 IAS Web Development using Dreamweaver CS4 Information Technology Group Institute for Advanced Study Einstein Drive Princeton, NJ 08540 609 734 8044 * helpdesk@ias.edu Information Technology Group [2] Institute

More information

Cascading Style Sheet (CSS) Tutorial Using Notepad. Step by step instructions with full color screen shots

Cascading Style Sheet (CSS) Tutorial Using Notepad. Step by step instructions with full color screen shots Updated version September 2015 All Creative Designs Cascading Style Sheet (CSS) Tutorial Using Notepad Step by step instructions with full color screen shots What is (CSS) Cascading Style Sheets and why

More information

WP Popup Magic User Guide

WP Popup Magic User Guide WP Popup Magic User Guide Introduction Thank you so much for your purchase! We're excited to present you with the most magical popup solution for WordPress! If you have any questions, please email us at

More information

What is CSS? Official W3C standard for controlling presentation Style sheets rely on underlying markup structure

What is CSS? Official W3C standard for controlling presentation Style sheets rely on underlying markup structure CSS Peter Cho 161A Notes from Jennifer Niederst: Web Design in a Nutshell and Thomas A. Powell: HTML & XHTML, Fourth Edition Based on a tutorials by Prof. Daniel Sauter / Prof. Casey Reas What is CSS?

More information

Dreamweaver and Fireworks MX Integration Brian Hogan

Dreamweaver and Fireworks MX Integration Brian Hogan Dreamweaver and Fireworks MX Integration Brian Hogan This tutorial will take you through the necessary steps to create a template-based web site using Macromedia Dreamweaver and Macromedia Fireworks. The

More information

TUTORIAL 4 Building a Navigation Bar with Fireworks

TUTORIAL 4 Building a Navigation Bar with Fireworks TUTORIAL 4 Building a Navigation Bar with Fireworks This tutorial shows you how to build a Macromedia Fireworks MX 2004 navigation bar that you can use on multiple pages of your website. A navigation bar

More information

Step 2 Open Kompozer and establish your site. 1. Open Kompozer from the Start Menu (at the Polytechnic) or from the downloaded program.

Step 2 Open Kompozer and establish your site. 1. Open Kompozer from the Start Menu (at the Polytechnic) or from the downloaded program. Kompozer User Guide KompoZer is web authoring software that combines web file management and easy-to-use WYSIWYG web page editing. It is designed to be easy to use, making it ideal for non-technical computer

More information

Saving work in the CMS... 2. Edit an existing page... 2. Create a new page... 4. Create a side bar section... 4

Saving work in the CMS... 2. Edit an existing page... 2. Create a new page... 4. Create a side bar section... 4 CMS Editor How-To Saving work in the CMS... 2 Edit an existing page... 2 Create a new page... 4 Create a side bar section... 4 Upload an image and add to your page... 5 Add an existing image to a Page...

More information

The Essential Guide to HTML Email Design

The Essential Guide to HTML Email Design The Essential Guide to HTML Email Design Index Introduction... 3 Layout... 4 Best Practice HTML Email Example... 5 Images... 6 CSS (Cascading Style Sheets)... 7 Animation and Scripting... 8 How Spam Filters

More information

Google Docs Basics Website: http://etc.usf.edu/te/

Google Docs Basics Website: http://etc.usf.edu/te/ Website: http://etc.usf.edu/te/ Google Docs is a free web-based office suite that allows you to store documents online so you can access them from any computer with an internet connection. With Google

More information

Web Ambassador Training on the CMS

Web Ambassador Training on the CMS Web Ambassador Training on the CMS Learning Objectives Upon completion of this training, participants will be able to: Describe what is a CMS and how to login Upload files and images Organize content Create

More information

Creating Accessible Documents in Word 2011 for Mac

Creating Accessible Documents in Word 2011 for Mac Creating Accessible Documents in Word 2011 for Mac NOTE: Word 2011 for Mac does not offer an Accessibility Checker. After creating your document, you can double-check your work on a PC, to make sure your

More information

MCH Strategic Data Best Practices Review

MCH Strategic Data Best Practices Review MCH Strategic Data Best Practices Review Presenters Alex Bardoff Manager, Creative Services abardoff@whatcounts.com Lindsey McFadden Manager, Campaign Production Services lmcfadden@whatcounts.com 2 Creative

More information

Google Sites. How to create a site using Google Sites

Google Sites. How to create a site using Google Sites Contents How to create a site using Google Sites... 2 Creating a Google Site... 2 Choose a Template... 2 Name Your Site... 3 Choose A Theme... 3 Add Site Categories and Descriptions... 3 Launch Your Google

More information

css href title software blog domain HTML div style address img h2 tag maintainingwebpages browser technology login network multimedia font-family

css href title software blog domain HTML div style address img h2 tag maintainingwebpages browser technology login network multimedia font-family technology software href browser communication public login address img links social network HTML div style font-family url media h2 tag handbook: id domain TextEdit blog title PORT JERVIS CENTRAL SCHOOL

More information

Tutorial: Microsoft Office 2003 Word Introduction

Tutorial: Microsoft Office 2003 Word Introduction Tutorial: Microsoft Office 2003 Word Introduction Introduction: Microsoft Word is an essential tool for the creation of documents. Its ease of use has made Word one of the most widely used word processing

More information

Creating Web Pages With Dreamweaver MX 2004

Creating Web Pages With Dreamweaver MX 2004 Creating Web Pages With Dreamweaver MX 2004 1 Introduction Learning Goal: By the end of the session, participants will have an understanding of: What Dreamweaver is, and How it can be used to create basic

More information