LING 388: Computers and Language. Lecture 10

Size: px
Start display at page:

Download "LING 388: Computers and Language. Lecture 10"

Transcription

1 LING 388: Computers and Language Lecture 10

2 Administrivia Homework 4 graded Thanks to Colton Flowers for Python exercises for the last two weeks! Homework 4 Review Quick Homework 5

3 Floating point representation of!

4 Text Summarization Software: available on Macs (turned off by default?) Open Text Summarizer (OTS) (on Linux) The open text summarizer is an open source tool for summarizing texts. The program reads a text and decides which sentences are important and which are not. OTS will create a short summary or will highlight the main ideas in the text. (code: read about how it works) OTS Web interface:

5 Open Text Summarizer (ots) OTS Web interface:

6 Apple's Text Summarizer System Preferences (10.12 or 10.13) Keyboard Shortcuts Services Summarize

7 Human Summarization Read this article now: Let's summarize it!

8 Elon Musk on AI

9 Elon Musk on AI

10 Open Text Summarizer (ots)

11 Apple's Text Summarizer 1. Highlight text 2. Control-click for menu

12 Apple's Text Summarizer

13 Quick Homework 5 due Wednesday by midnight Questions: 1. Read the following article about trepanation Write one or two sentences in your own words to summarize the article. 3. Run the OTS (or the Apple summarizer) on it. What does it report for 5% (1 sentence, resp.) summarization? (You should copy and paste the text in rather than use the URL.) Did it do a good job summarizing the article or not? Explain. 4. Read the How It Works (scroll down!) in Then explain whether it s plausible that a computer program could come with your sentence(s), or something similar. Source: wikipedia

14 Python: basic data types Numbers Strings Lists set(..) for loop with zip().append().extend().insert().pop() Dictionaries del.keys().values().items() - tuples (key, value)

15 Exercise 1 Enter this (1 st paragraph in "Alice's Adventures in Wonderland" by Lewis Carroll) into Python 3: paragraph1 = 'Alice was beginning to get very tired of sitting by her sister on the bank, and of having nothing to do. Once or twice she had peeped into the book her sister was reading, but it had no pictures or conversations in it, "and what is the use of a book," thought Alice, "without pictures or conversations?"' 1. len(paragraph1) counts what? 2. What does paragraph1.split() do? Store the result of split into a variable paragraph2 3. len(paragraph2) counts what? 4. Calculate the average number of characters per word

16 Exercise 2 paragraph2 ['Alice', 'was', 'beginning', 'to', 'get', 'very', 'tired', 'of', 'sitting', 'by', 'her', 'sister', 'on', 'the', 'bank,', 'and', 'of', 'having', 'nothing', 'to', 'do.', 'Once', 'or', 'twice', 'she', 'had', 'peeped', 'into', 'the', 'book', 'her', 'sister', 'was', 'reading,', 'but', 'it', 'had', 'no', 'pictures', 'or', 'conversations', 'in', 'it,', '"and', 'what', 'is', 'the', 'use', 'of', 'a', 'book,"', 'thought', 'Alice,', '"without', 'pictures', 'or', 'conversations?"'] 1. Write a for loop to print each word on a separate line Notice some words end in punctuation, e.g. bank, or do. or book," Notice some words begin in punctuation, e.g. "and or "without. Try the following: import re word = 'conversations?"' re.sub(r"[?\"'.]","",word) 2. Write a for loop to print the each word of paragraph2 (with punctuation deleted) on a separate line

17 Exercise 2 Enter this: [x.lower() for x in paragraph2] [re.sub("[?\"'.]","",x) for x in paragraph2] 3. What does this kind of for loop do? (It's called a list comprehension.)

18 Exercise 2: Examples >>>[x.lower() for x in paragraph2] ['alice', 'was', 'beginning', 'to', 'get', 'very', 'tired', 'of', 'sitting', 'by', 'her', 'sister', 'on', 'the', 'bank,', 'and', 'of', 'having', 'nothing', 'to', 'do.', 'once', 'or', 'twice', 'she', 'had', 'peeped', 'into', 'the', 'book', 'her', 'sister', 'was', 'reading,', 'but', 'it', 'had', 'no', 'pictures', 'or', 'conversations', 'in', 'it,', '"and', 'what', 'is', 'the', 'use', 'of', 'a', 'book,"', 'thought', 'alice,', '"without', 'pictures', 'or', 'conversations?"'] >>>paragraph3 = [x.lower() for x in paragraph2] >>>paragraph3 ['alice', 'was', 'beginning', 'to', 'get', 'very', 'tired', 'of', 'sitting', 'by', 'her', 'sister', 'on', 'the', 'bank,', 'and', 'of', 'having', 'nothing', 'to', 'do.', 'once', 'or', 'twice', 'she', 'had', 'peeped', 'into', 'the', 'book', 'her', 'sister', 'was', 'reading,', 'but', 'it', 'had', 'no', 'pictures', 'or', 'conversations', 'in', 'it,', '"and', 'what', 'is', 'the', 'use', 'of', 'a', 'book,"', 'thought', 'alice,', '"without', 'pictures', 'or', 'conversations?"'] >>>[re.sub("[,.?'\"]", "", x) for x in paragraph3] ['alice', 'was', 'beginning', 'to', 'get', 'very', 'tired', 'of', 'sitting', 'by', 'her', 'sister', 'on', 'the', 'bank', 'and', 'of', 'having', 'nothing', 'to', 'do', 'once', 'or', 'twice', 'she', 'had', 'peeped', 'into', 'the', 'book', 'her', 'sister', 'was', 'reading', 'but', 'it', 'had', 'no', 'pictures', 'or', 'conversations', 'in', 'it', 'and', 'what', 'is', 'the', 'use', 'of', 'a', 'book', 'thought', 'alice', 'without', 'pictures', 'or', 'conversations'] >>>[re.sub("[.,?'\"]", "",x.lower()) for x in paragraph2] ['alice', 'was', 'beginning', 'to', 'get', 'very', 'tired', 'of', 'sitting', 'by', 'her', 'sister', 'on', 'the', 'bank', 'and', 'of', 'having', 'nothing', 'to', 'do', 'once', 'or', 'twice', 'she', 'had', 'peeped', 'into', 'the', 'book', 'her', 'sister', 'was', 'reading', 'but', 'it', 'had', 'no', 'pictures', 'or', 'conversations', 'in', 'it', 'and', 'what', 'is', 'the', 'use', 'of', 'a', 'book', 'thought', 'alice', 'without', 'pictures', 'or', 'conversations'] >>>[re.sub("[.,?'\"]", "",x).lower() for x in paragraph2] ['alice', 'was', 'beginning', 'to', 'get', 'very', 'tired', 'of', 'sitting', 'by', 'her', 'sister', 'on', 'the', 'bank', 'and', 'of', 'having', 'nothing', 'to', 'do', 'once', 'or', 'twice', 'she', 'had', 'peeped', 'into', 'the', 'book', 'her', 'sister', 'was', 'reading', 'but', 'it', 'had', 'no', 'pictures', 'or', 'conversations', 'in', 'it', 'and', 'what', 'is', 'the', 'use', 'of', 'a', 'book', 'thought', 'alice', 'without', 'pictures', 'or', 'conversations'] >>>[re.sub("[.,?'\"]", "",x) for x.lower() in paragraph2] File "<stdin>", line 1 SyntaxError: can't assign to function call

Note for all these experiments it is important to observe your subject's physical eye movements.

Note for all these experiments it is important to observe your subject's physical eye movements. Experiment HM-3: Electroculogram Activity (EOG) Note for all these experiments it is important to observe your subject's physical eye movements. Exercise 1: Saccades Aim: To demonstrate the type of electrical

More information

CS Game Programming, Fall 2014

CS Game Programming, Fall 2014 CS 38101 Game Programming, Fall 2014 Recommended Text Learn Unity 4 for ios Game Development, Philip Chu, 2013, Apress, ISBN-13 (pbk): 978-1-4302-4875-0 ISBN-13 (electronic): 978-1-4302-4876-7, www.apress.com.

More information

How To Add Falling Snow

How To Add Falling Snow How To Add Falling Snow How To Add Snow With Photoshop Step 1: Add A New Blank Layer To begin, let's add a new blank layer above our photo. If we look in our Layers palette, we can see that our photo is

More information

QAM Snare Navigator Quick Set-up Guide- GSM version

QAM Snare Navigator Quick Set-up Guide- GSM version QAM Snare Navigator Quick Set-up Guide- GSM version v1.0 3/19/12 This document provides an overview of what a technician needs to do to set up and configure a QAM Snare Navigator GSM version for leakage

More information

HUFFMAN CODING. Catherine Bénéteau and Patrick J. Van Fleet. SACNAS 2009 Mini Course. University of South Florida and University of St.

HUFFMAN CODING. Catherine Bénéteau and Patrick J. Van Fleet. SACNAS 2009 Mini Course. University of South Florida and University of St. Catherine Bénéteau and Patrick J. Van Fleet University of South Florida and University of St. Thomas SACNAS 2009 Mini Course WEDNESDAY, 14 OCTOBER, 2009 (1:40-3:00) LECTURE 2 SACNAS 2009 1 / 10 All lecture

More information

Grade TRAITOR - SUMMER WORKBOOK. Check CLASS: SURNAME, NAME:

Grade TRAITOR - SUMMER WORKBOOK. Check CLASS: SURNAME, NAME: Grade 6 TRAITOR - SUMMER WORKBOOK SURNAME, NAME: CLASS: Check I C 2 Dear Grade 6 Student, We are ready to leave another fruitful year behind. We would like you do some work on your summer readers as you

More information

Introduction to Alice. Alice is named in honor of Lewis Carroll s Alice in Wonderland

Introduction to Alice. Alice is named in honor of Lewis Carroll s Alice in Wonderland Introduction to Alice Alice is named in honor of Lewis Carroll s Alice in Wonderland Computer Programming Step by step set of instructions telling a computer how to perform a specific task 2 problems some

More information

English Test (10 +) Yr. 4 Sample Paper. Section 1

English Test (10 +) Yr. 4 Sample Paper. Section 1 English Test (10 +) Yr. 4 Sample Paper. Section 1 Rewrite the misspelt words correctly: 1. Freinds 2. Sudenly 3. Baloon 4. Importent Write the plural form of these words: 5. Sniff 6. Story 7. Leaf 8. Man

More information

Unit Assessment Plan: Introduction to the Basics of Drawing

Unit Assessment Plan: Introduction to the Basics of Drawing Unit Assessment Plan 9 th - 10 th Grade Art 1 Carly Seyferth 8/3/10 ED 337 9 th -10 th Grade Art (Estimation) Lesson: Introduction to the Basics of Drawing Unit Assessment Plan: Introduction to the Basics

More information

QAM Snare Navigator Quick Set-up Guide- Wi-Fi version

QAM Snare Navigator Quick Set-up Guide- Wi-Fi version QAM Snare Navigator Quick Set-up Guide- Wi-Fi version v1.0 3/19/12 This document provides an overview of what a technician needs to do to set up and configure a QAM Snare Navigator Wi-Fi version for leakage

More information

Step 1: Select The Main Subject In The Photo

Step 1: Select The Main Subject In The Photo Create A custom Motion Trail from your subject In this Photoshop photo effects tutorial, we ll learn how to add a sense of action and movement to an image by giving the main subject an easy to create motion

More information

Creating Drop Shadows with Photoshop

Creating Drop Shadows with Photoshop Innovate Make Create IMC https://library.albany.edu/imc/ 518 442-3607 Creating Drop Shadows with Photoshop The drop shadow (sometimes called a box shadow ) is an effect often found in catalog photographs,

More information

Simple Search Algorithms

Simple Search Algorithms Lecture 3 of Artificial Intelligence Simple Search Algorithms AI Lec03/1 Topics of this lecture Random search Search with closed list Search with open list Depth-first and breadth-first search again Uniform-cost

More information

My Blogs: To Add New Blog Post: o Click on the My Learn360 link. You will then see eight different tabs (below).

My Blogs: To Add New Blog Post: o Click on the My Learn360 link. You will then see eight different tabs (below). My Blogs: Every user on Learn360 is given one blog. A blog can be shared throughout Learn360 and there is no limit to the number of blog posts. Blogs are a great way for teachers to interact with students

More information

LESSON 02: GET STRONGER FOR PS USERS COMPANION BOOK. Digital Scrapbook Academy. February 2018: Lesson 02 Get Stronger for Photoshop Users

LESSON 02: GET STRONGER FOR PS USERS COMPANION BOOK. Digital Scrapbook Academy. February 2018: Lesson 02 Get Stronger for Photoshop Users Digital Scrapbook Academy February 2018: Lesson 02 LESSON 02: GET STRONGER FOR PS USERS COMPANION BOOK Page 1 of 19 Table of Contents Table of Contents 2 Welcome to Lesson 02 for Photoshop Users 4 1: Add

More information

Alice s Adventures In Wonderland By Lewis Carroll, Mark Burstein READ ONLINE

Alice s Adventures In Wonderland By Lewis Carroll, Mark Burstein READ ONLINE Alice s Adventures In Wonderland By Lewis Carroll, Mark Burstein READ ONLINE If searched for a book Alice s Adventures in Wonderland by Lewis Carroll, Mark Burstein in pdf format, then you have come on

More information

Summer Reading Book Reflection Activity Summer points Sixth Grade Summer Reading and Project 2017

Summer Reading Book Reflection Activity Summer points Sixth Grade Summer Reading and Project 2017 Sixth Grade Summer Reading and Project 2017 Dear Sixth Graders, I hope you are enjoying your summer. Welcome to middle school. I am looking forward to our sixth grade year together, especially reading

More information

Lab Assignment 3. Writing a text-based adventure. February 23, 2010

Lab Assignment 3. Writing a text-based adventure. February 23, 2010 Lab Assignment 3 Writing a text-based adventure February 23, 2010 In this lab assignment, we are going to write an old-fashioned adventure game. Unfortunately, the first adventure games did not have fancy

More information

Writing a letter to yourself >>>CLICK HERE<<<

Writing a letter to yourself >>>CLICK HERE<<< Writing a letter to yourself >>>CLICK HERE

More information

Math 1310: Intermediate Algebra Computer Enhanced and Self-Paced

Math 1310: Intermediate Algebra Computer Enhanced and Self-Paced How to Register for ALEKS 1. Go to www.aleks.com. Select New user Sign up now 2. Enter the course code J4QVC-EJULX in the K-12/Higher education orange box. Then select continue. 3. Confirm your enrollment

More information

ECE2049: Embedded Systems in Engineering Design Lab Exercise #4 C Term 2018

ECE2049: Embedded Systems in Engineering Design Lab Exercise #4 C Term 2018 ECE2049: Embedded Systems in Engineering Design Lab Exercise #4 C Term 2018 Who's Watching the Watchers? Which is better, the SPI Digital-to-Analog Converter or the Built-in Analog-to-Digital Converter

More information

Parallel Line Converse Theorems. Key Terms

Parallel Line Converse Theorems. Key Terms A Reversed Condition Parallel Line Converse Theorems.5 Learning Goals Key Terms In this lesson, you will: Write parallel line converse conjectures. Prove parallel line converse conjectures. converse Corresponding

More information

8 th Grade Summer Reading School Year

8 th Grade Summer Reading School Year 8 th Grade Summer Reading 2018-2019 School Year SUMMER READING IS OPTIONAL NOT MANDATORY Pick something to read that you ll enjoy! It is recommended that you choose a minimum of one (1) book, magazine

More information

Welcome to Storyist. The Novel Template This template provides a starting point for a novel manuscript and includes:

Welcome to Storyist. The Novel Template This template provides a starting point for a novel manuscript and includes: Welcome to Storyist Storyist is a powerful writing environment for ipad that lets you create, revise, and review your work wherever inspiration strikes. Creating a New Project When you first launch Storyist,

More information

PLEASE NOTE: EVERY ACTIVITY IN THIS SECTION MUST BE SAVED AS A WAV AND UPLOADED TO YOUR BOX.COM FOLDER FOR GRADING.

PLEASE NOTE: EVERY ACTIVITY IN THIS SECTION MUST BE SAVED AS A WAV AND UPLOADED TO YOUR BOX.COM FOLDER FOR GRADING. PLEASE NOTE: EVERY ACTIVITY IN THIS SECTION MUST BE SAVED AS A WAV AND UPLOADED TO YOUR BOX.COM FOLDER FOR GRADING. Multitrack Recording There will often be times when you will want to record more than

More information

Instant Engagement Pair Structures. User s Manual. Instant Engagement 2011 Kagan Publishing

Instant Engagement Pair Structures. User s Manual. Instant Engagement 2011 Kagan Publishing Instant Engagement Pair Structures User s Manual Instant Engagement 2011 Kagan Publishing www.kaganonline.com 1.800.933.2667 2 Instant Engagement Pair Structures Table of Contents GAME OVERVIEW... 3 Setup...3

More information

SolidWorks Tutorial 1. Axis

SolidWorks Tutorial 1. Axis SolidWorks Tutorial 1 Axis Axis This first exercise provides an introduction to SolidWorks software. First, we will design and draw a simple part: an axis with different diameters. You will learn how to

More information

Resources to help clients optimize their move online

Resources to help clients optimize their move online The Accountant s Guide to Moving Clients Online PART 3: Resources to help clients optimize their move online Accelerate your clients successful transition to QuickBooks Online with these helpful resources.

More information

PHOTOSHOP1 15 / WORKSPACE

PHOTOSHOP1 15 / WORKSPACE MassArt Studio Foundation: Visual Language Digital Media Cookbook, Fall 2013 PHOTOSHOP1 15 / WORKSPACE Imaging software, just like our computers, relies on metaphors from the physical world for their design.

More information

Introduction. The basics

Introduction. The basics Introduction Lines has a powerful level editor that can be used to make new levels for the game. You can then share those levels on the Workshop for others to play. What will you create? To open the level

More information

Here s the image I ll be working with:

Here s the image I ll be working with: FOCUS WITH LIGHT - The Lighting Effects FILTER In this Photoshop tutorial, we ll learn how to add focus to an image with light using Photoshop s Lighting Effects filter. We ll see how easy it is to add

More information

General Physics - E&M (PHY 1308) - Lecture Notes. General Physics - E&M (PHY 1308) Lecture Notes

General Physics - E&M (PHY 1308) - Lecture Notes. General Physics - E&M (PHY 1308) Lecture Notes General Physics - E&M (PHY 1308) Lecture Notes Homework000 SteveSekula, 18 January 2011 (created 17 January 2011) Expectations for the quality of your handed-in homework are no tags available at http://www.physics.smu.edu/sekula/phy1308

More information

Step 1: Create chapters and write your story.

Step 1: Create chapters and write your story. Step 1: Create chapters and write your story. NOTE: Before starting your book, please know that there is free software that can enhance your book writing and it is compatible with CatchMyStory. You may

More information

Try what you learned (and some new things too)

Try what you learned (and some new things too) Training Try what you learned (and some new things too) PART ONE: DO SOME MATH Exercise 1: Type some simple formulas to add, subtract, multiply, and divide. 1. Click in cell A1. First you ll add two numbers.

More information

dominoes Documentation

dominoes Documentation dominoes Documentation Release 6.0.0 Alan Wagner January 13, 2017 Contents 1 Install 3 2 Usage Example 5 3 Command Line Interface 7 4 Artificial Intelligence Players 9 4.1 Players..................................................

More information

CMSC 201 Fall 2018 Project 3 Sudoku

CMSC 201 Fall 2018 Project 3 Sudoku CMSC 201 Fall 2018 Project 3 Sudoku Assignment: Project 3 Sudoku Due Date: Design Document: Tuesday, December 4th, 2018 by 8:59:59 PM Project: Tuesday, December 11th, 2018 by 8:59:59 PM Value: 80 points

More information

Alice's Adventures in Wonderland (Alice in Wonderland) By Lewis Carroll

Alice's Adventures in Wonderland (Alice in Wonderland) By Lewis Carroll PinkMonkey Literature Notes on... SAMPLE EXCERPTS FROM THE MONKEYNOTES FOR Alice in Wonderland by Lewis Carroll. These are only excerpts of sections. This does not represent the entire note or content

More information

PHOTOSHOP PUZZLE EFFECT

PHOTOSHOP PUZZLE EFFECT PHOTOSHOP PUZZLE EFFECT In this Photoshop tutorial, we re going to look at how to easily create a puzzle effect, allowing us to turn any photo into a jigsaw puzzle! Or at least, we ll be creating the illusion

More information

www.newsflashenglish.com The 4 page 60 minute ESL British English lesson 20/11/17 Today, we are going to talk about artificial intelligence. It is supposedly the future. Artificial intelligence, or AI,

More information

COPYRIGHT NATIONAL DESIGN ACADEMY

COPYRIGHT NATIONAL DESIGN ACADEMY National Design Academy How 2 Guide Use SketchUp with LayOut COPYRIGHT NATIONAL DESIGN ACADEMY Use SketchUp with LayOut In order to be able to produce accurate scale drawings in SketchUp, you must use

More information

GIS Programming Practicuum

GIS Programming Practicuum New Course for Fall 2009 GIS Programming Practicuum Geo 599 2 credits, Monday 4:00-5:20 CRN: 18970 Using Python scripting with ArcGIS Python scripting is a powerful tool for automating many geoprocessing

More information

Introduction Installation Switch Skills 1 Windows Auto-run CDs My Computer Setup.exe Apple Macintosh Switch Skills 1

Introduction Installation Switch Skills 1 Windows Auto-run CDs My Computer Setup.exe Apple Macintosh Switch Skills 1 Introduction This collection of easy switch timing activities is fun for all ages. The activities have traditional video game themes, to motivate students who understand cause and effect to learn to press

More information

nvision Actuals Drilldown (Non-Project Speedtypes) Training Guide Spectrum+ System 8.9 November 2010 Version 2.1

nvision Actuals Drilldown (Non-Project Speedtypes) Training Guide Spectrum+ System 8.9 November 2010 Version 2.1 nvision Actuals Drilldown (Non-Project Speedtypes) Training Guide Spectrum+ System 8.9 November 2010 Version 2.1 Table of Contents Introduction. Page 03 Logging into Spectrum.Page 03 Accessing the NVision

More information

Diploma in Photoshop

Diploma in Photoshop Diploma in Photoshop Photoshop Selection Tools Selection Tools allow us to isolate areas of our image and apply adjustments to these selected areas only. A selection simply isolates one or more parts of

More information

Step 1: Open A Photo To Place Inside Your Text

Step 1: Open A Photo To Place Inside Your Text Place A Photo Or Image In Text In Photoshop In this Photoshop tutorial, we re going to learn how to place a photo or image inside text, a very popular thing to do in Photoshop, and also a very easy thing

More information

BOOK REPORT ORGANIZER

BOOK REPORT ORGANIZER BOOK REPORT ORGANIZER Here you will find all the necessary support materials to help guide your child through their Book Report! We have practiced these skills in class and hopefully they will be able

More information

Tech tips. lingua house. 1 Key vocabulary. 2 How tech-savvy are you? Lesson code: K6CH-7ECB-BXK7-C ADVANCED

Tech tips. lingua house. 1 Key vocabulary. 2 How tech-savvy are you? Lesson code: K6CH-7ECB-BXK7-C ADVANCED A A ENGLISH IN VIDEO Tech tips Lesson code: K6CH-7ECB-BXK7-C ADVANCED 1 Key vocabulary What do you think the underlined words and phrases mean? In pairs, match them to their correct meaning below: 1. Type

More information

COS 402 Machine Learning and Artificial Intelligence Fall Lecture 1: Intro

COS 402 Machine Learning and Artificial Intelligence Fall Lecture 1: Intro COS 402 Machine Learning and Artificial Intelligence Fall 2016 Lecture 1: Intro Sanjeev Arora Elad Hazan Today s Agenda Defining intelligence and AI state-of-the-art, goals Course outline AI by introspection

More information

Stone Creek Textiles. Layers! part 1

Stone Creek Textiles. Layers! part 1 Stone Creek Textiles Layers! part 1 This tutorial is all about working with layers. This, to my mind, is one of the two critical areas to master in order to work creatively with Photoshop Elements. So,

More information

Flex Contracts for Full Time and Hourly/Overload Assignments

Flex Contracts for Full Time and Hourly/Overload Assignments Flex Contracts for Full Time and Hourly/Overload Assignments Dates to remember: Submit Your Proposed Contract by: Friday, March 16, 2012 Completed Contracts due by: Wednesday, May 16, 2012 With this new

More information

Exercise01: Circle Grid Obj. 2 Learn duplication and constrain Obj. 4 Learn Basics of Layers

Exercise01: Circle Grid Obj. 2 Learn duplication and constrain Obj. 4 Learn Basics of Layers 01: Make new document Details: 8 x 8 02: Set Guides & Grid Preferences Details: Grid style=lines, line=.5, sub=1 03: Draw first diagonal line Details: Start with the longest line 1st. 04: Duplicate first

More information

Environmental Stochasticity: Roc Flu Macro

Environmental Stochasticity: Roc Flu Macro POPULATION MODELS Environmental Stochasticity: Roc Flu Macro Terri Donovan recorded: January, 2010 All right - let's take a look at how you would use a spreadsheet to go ahead and do many, many, many simulations

More information

Easy Input Helper Documentation

Easy Input Helper Documentation Easy Input Helper Documentation Introduction Easy Input Helper makes supporting input for the new Apple TV a breeze. Whether you want support for the siri remote or mfi controllers, everything that is

More information

WILL ARTIFICIAL INTELLIGENCE DESTROY OUR CIVILIZATION? by (Name) The Name of the Class (Course) Professor (Tutor) The Name of the School (University)

WILL ARTIFICIAL INTELLIGENCE DESTROY OUR CIVILIZATION? by (Name) The Name of the Class (Course) Professor (Tutor) The Name of the School (University) Will Artificial Intelligence Destroy Our Civilization? 1 WILL ARTIFICIAL INTELLIGENCE DESTROY OUR CIVILIZATION? by (Name) The Name of the Class (Course) Professor (Tutor) The Name of the School (University)

More information

Inverted Colors Photo Effect With Photoshop

Inverted Colors Photo Effect With Photoshop Inverted Colors Photo Effect With Photoshop Written by Steve Patterson. In this Photoshop Effects tutorial, we re going to look at how to invert the colors in an image to create interesting photo effects.

More information

Journaling Strips (Photoshop)

Journaling Strips (Photoshop) Journaling Strips (Photoshop) Tip of the Week by Jenny Binder on August 10, 2009 I m willing to make you a bet. Pick out 10 layouts from a scrapbooking magazine any 10 layouts you don t even have to like

More information

When you load GarageBand it will open a window on your desktop that will look like this:

When you load GarageBand it will open a window on your desktop that will look like this: itongue: Our Multilingual Future -Grundtvig Partnership Project Instructions for use of Garageband software in preparing audio clips for decoded products. GarageBand automatically comes on Mac computers

More information

PHOTOSHOP INVERTED COLORS PHOTO EFFECT

PHOTOSHOP INVERTED COLORS PHOTO EFFECT Photo Effects: Photoshop Inverted Colors Photo Effect PHOTOSHOP INVERTED COLORS PHOTO EFFECT Most people would agree that taking a stroll through the forest can be very calming and peaceful, with all of

More information

Experiment HM-2: Electroculogram Activity (EOG)

Experiment HM-2: Electroculogram Activity (EOG) Experiment HM-2: Electroculogram Activity (EOG) Background The human eye has six muscles attached to its exterior surface. These muscles are grouped into three antagonistic pairs that control horizontal,

More information

Use Linear Regression to Find the Best Line on a Graphing Calculator

Use Linear Regression to Find the Best Line on a Graphing Calculator In an earlier technology assignment, you created a scatter plot of the US Student to Teacher Ratio for public schools from the table below. The scatter plot is shown to the right of the table and includes

More information

The original image. The final effect. The Layers palette showing the original photo on the Background layer.

The original image. The final effect. The Layers palette showing the original photo on the Background layer. Photo Effects: Gritty, Overprocessed Photo Effect GRITTY, Overprocessed Photo Effect In this Photoshop photo effects tutorial, we re going to look at how to give a photo a gritty, overprocessed look to

More information

Battlefield Academy Template 1 Guide

Battlefield Academy Template 1 Guide Battlefield Academy Template 1 Guide This guide explains how to use the Slith_Template campaign to easily create your own campaigns with some preset AI logic. Template Features Preset AI team behavior

More information

Girls Programming Network. Scissors Paper Rock!

Girls Programming Network. Scissors Paper Rock! Girls Programming Network Scissors Paper Rock! This project was created by GPN Australia for GPN sites all around Australia! This workbook and related materials were created by tutors at: Sydney, Canberra

More information

Topic: Use Parallel Lines and Transversals. and transversals?

Topic: Use Parallel Lines and Transversals. and transversals? Topic: Use Parallel Lines and Transversals and transversals? Get a calculator, protractor and handouts from the back of the room Fill out your assignment sheet Have your Homework out to be graded Do the

More information

Key Abstractions in Game Maker

Key Abstractions in Game Maker Key Abstractions in Game Maker Foundations of Interactive Game Design Prof. Jim Whitehead January 24, 2008 Creative Commons Attribution 3.0 creativecommons.org/licenses/by/3.0 Upcoming Assignments Today:

More information

Storyist is a creative writing application for Mac OS X 10.9 Mavericks or later. Designed specifically for novelists and screenwriters, it provides:

Storyist is a creative writing application for Mac OS X 10.9 Mavericks or later. Designed specifically for novelists and screenwriters, it provides: Welcome to Storyist Product Overview Storyist is a creative writing application for Mac OS X 10.9 Mavericks or later. Designed specifically for novelists and screenwriters, it provides: A word processor

More information

Getting Started with Osmo Coding Jam. Updated

Getting Started with Osmo Coding Jam. Updated Updated 8.1.17 1.1.0 What s Included Each set contains 23 magnetic coding blocks. Snap them together in coding sequences to create an endless variety of musical compositions! Walk Quantity: 3 Repeat Quantity:

More information

a. by measuring the angle of elevation to the top of the pole from a point on the ground

a. by measuring the angle of elevation to the top of the pole from a point on the ground Trigonometry Right Triangle Lab: Measuring Height Teacher Instructions This project will take two class parts (two days or two parts of one block). The first part is for planning and building your sighting

More information

Strings, Puzzle App I

Strings, Puzzle App I Strings, Puzzle App I CSE 120 Winter 2018 Instructor: Teaching Assistants: Justin Hsia Anupam Gupta, Cheng Ni, Eugene Oh, Sam Wolfson, Sophie Tian, Teagan Horkan Going beyond Pokemon Go: preparing for

More information

The Go Write! Pre-writing pack for level 1-2

The Go Write! Pre-writing pack for level 1-2 The Go Write! Pre-writing pack for level 1-2 Level 1-2 pre-writing organizers are appropriate for younger elementary students or upper grade students who are writing one paragraph essays. It is also appropriate

More information

Allows teachers to print reports for individual students or an entire class.

Allows teachers to print reports for individual students or an entire class. Creative Writing Developed by teachers and reading specialists, Creative Writing provides an overview of the structure and technique of effective writing projects. The program uses a modeling approach

More information

Gamelogs: Blogging About Gameplay Definitions of Games and Play Magic Circle

Gamelogs: Blogging About Gameplay Definitions of Games and Play Magic Circle Gamelogs: Blogging About Gameplay Definitions of Games and Play Magic Circle Foundations of Interactive Game Design Prof. Jim Whitehead January 11, 2008 Creative Commons Attribution 3.0 Upcoming Assignments

More information

Editing Your Novel by: Katherine Lato Last Updated: 12/17/14

Editing Your Novel by: Katherine Lato Last Updated: 12/17/14 Editing Your Novel by: Katherine Lato Last Updated: 12/17/14 Basic Principles: I. Do things that make you want to come back and edit some more (You cannot edit an entire 50,000+ word novel in one sitting,

More information

Remote Sensing 4113 Lab 10: Lunar Classification April 11, 2018

Remote Sensing 4113 Lab 10: Lunar Classification April 11, 2018 Remote Sensing 4113 Lab 10: Lunar Classification April 11, 2018 Part I Introduction In this lab we ll explore the use of sophisticated band math to estimate composition, and we ll also explore the use

More information

Keypad Quick Reference

Keypad Quick Reference Bently Nevada* Asset Condition Monitoring SCOUT100 Series and vbseries Quick Start Guide Precautions Do not attach the accelerometer or tachometer to a high potential voltage source. Do not place the mounting

More information

Alice is 150 years old!

Alice is 150 years old! Bring the real world into your classroom 16 May 2015 AGE GROUP 6-8 years 3 8-10 years 3 10-12 years 3 bilingual Alice is 150 years old! This year is the 150th anniversary of Alice in Wonderland and children

More information

Scrivener Mac: shortcut keys, ordered by cipher

Scrivener Mac: shortcut keys, ordered by cipher Scrivener Mac: shortcut keys, ordered by cipher Outline > Collapse All Document/Scrivenings Corkboard Outline Go To > Editor Selection Snapshots > Take Snapshot Document/Project Notes Document/Project

More information

Tables for the Kansas Mathematics Standards

Tables for the Kansas Mathematics Standards Tables for the Kansas Mathematics Standards Below you will find the tables found in the Kansas Mathematics Standards. Click on the table you would like to view and you will be redirected to the correct

More information

Photoshop Blending Modes

Photoshop Blending Modes Photoshop Blending Modes https://photoshoptrainingchannel.com/blending-modes-explained/#when-blend-modes-added For those mathematically inclined. https://photoblogstop.com/photoshop/photoshop-blend-modes-

More information

Report Writing Class Lesson 6

Report Writing Class Lesson 6 (RW-L6) 1 Report Writing Class Lesson 6 Here is what this lesson will cover: I. Evaluating and Revising Your First Draft: II. Editing and Preparing a Final Copy: III. Preparing Your Final Presentation:

More information

Programming Languages and Techniques Homework 3

Programming Languages and Techniques Homework 3 Programming Languages and Techniques Homework 3 Due as per deadline on canvas This homework deals with the following topics * lists * being creative in creating a game strategy (aka having fun) General

More information

A Little Princess (Classic Collection) By Anne Rooney

A Little Princess (Classic Collection) By Anne Rooney A Little Princess (Classic Collection) By Anne Rooney Sara Crewe by Frances Hodgson Burnett Scholastic - Scholastic Classics. Sara Crewe Magical.When Sara Crewe comes to stay at Miss Minchin's school for

More information

12. Creating a Product Mockup in Perspective

12. Creating a Product Mockup in Perspective 12. Creating a Product Mockup in Perspective Lesson overview In this lesson, you ll learn how to do the following: Understand perspective drawing. Use grid presets. Adjust the perspective grid. Draw and

More information

WORD ART - CHANGING LETTERING SPACING

WORD ART - CHANGING LETTERING SPACING CHANGING LETTERING SIZE Enter single letters or words and use the icon to rescale the motif. When the Maintaining Proportions (lock) icon is outlined in white, the design will be resized proportionately.

More information

Pretty Plaids (Photoshop Elements)

Pretty Plaids (Photoshop Elements) Pretty Plaids (Photoshop Elements) Tip of the Week by Jenny Binder on January 11, 2010 Most digital scrapbookers, at some point, want to try their hand at making their own paper. This can be a fun venture,

More information

Math 3012 Applied Combinatorics Lecture 2

Math 3012 Applied Combinatorics Lecture 2 August 20, 2015 Math 3012 Applied Combinatorics Lecture 2 William T. Trotter trotter@math.gatech.edu The Road Ahead Alert The next two to three lectures will be an integrated approach to material from

More information

THE BACKGROUND ERASER TOOL

THE BACKGROUND ERASER TOOL THE BACKGROUND ERASER TOOL In this Photoshop tutorial, we look at the Background Eraser Tool and how we can use it to easily remove background areas of an image. The Background Eraser is especially useful

More information

Binary Addition. Boolean Algebra & Logic Gates. Recap from Monday. CSC 103 September 12, Binary numbers ( 1.1.1) How Computers Work

Binary Addition. Boolean Algebra & Logic Gates. Recap from Monday. CSC 103 September 12, Binary numbers ( 1.1.1) How Computers Work Binary Addition How Computers Work High level conceptual questions Boolean Algebra & Logic Gates CSC 103 September 12, 2007 What Are Computers? What do computers do? How do they do it? How do they affect

More information

Bridgepad Swiss Team Guide 2010 BridgePad Company Version 2a BridgePad Swiss Team Manual2d-3c.doc. BridgePad Swiss Team Instruction Manual

Bridgepad Swiss Team Guide 2010 BridgePad Company Version 2a BridgePad Swiss Team Manual2d-3c.doc. BridgePad Swiss Team Instruction Manual Version 2a BridgePad Swiss Team Manual2d-3c.doc BridgePad Swiss Team Instruction Manual TABLE OF CONTENTS INTRODUCTION AND FEATURES... 3 START UP AND GAME SET UP... 5 GAME OPTIONS... 6 FILE OPTIONS...

More information

Lab 1. CS 5233 Fall 2007 assigned August 22, 2007 Tom Bylander, Instructor due midnight, Sept. 26, 2007

Lab 1. CS 5233 Fall 2007 assigned August 22, 2007 Tom Bylander, Instructor due midnight, Sept. 26, 2007 Lab 1 CS 5233 Fall 2007 assigned August 22, 2007 Tom Bylander, Instructor due midnight, Sept. 26, 2007 In Lab 1, you will program the functions needed by algorithms for iterative deepening (ID) and iterative

More information

Heredis may assign any number of information sources to each event.

Heredis may assign any number of information sources to each event. Sources Sources Heredis may assign any number of information sources to each event. Each source is an independent element, which is then assigned to one or more events. Heredis allows you the flexibility

More information

School of Computing and Information Technology. ASSIGNMENT 1 (Individual) CSCI 103 Algorithms and Problem Solving. Session 2, April - June 2017

School of Computing and Information Technology. ASSIGNMENT 1 (Individual) CSCI 103 Algorithms and Problem Solving. Session 2, April - June 2017 ASSIGNMENT 1 (Individual) CSCI 103 Algorithms and Problem Solving Session 2, April - June 2017 UOW Moderator: Dr. Luping Zhou (lupingz@uow.edu.au) Lecturer: Mr. Chung Haur KOH (chkoh@uow.edu.au) Total

More information

iphoto Getting Started Get to know iphoto and learn how to import and organize your photos, and create a photo slideshow and book.

iphoto Getting Started Get to know iphoto and learn how to import and organize your photos, and create a photo slideshow and book. iphoto Getting Started Get to know iphoto and learn how to import and organize your photos, and create a photo slideshow and book. 1 Contents Chapter 1 3 Welcome to iphoto 3 What You ll Learn 4 Before

More information

Multirate Signal Processing, DSV2 Introduction

Multirate Signal Processing, DSV2 Introduction Multirate Signal Processing, DSV2 Introduction Lecture: Mi., 9-10:30 HU 010 Seminar: Do. 9-10:30, K2032 (bi-weekly) Our Website contains the slides www.tu-ilmenau.de/mt Lehrveranstaltungen Master Multirate

More information

Welcome to SPDL/ PRL s Solid Edge Tutorial.

Welcome to SPDL/ PRL s Solid Edge Tutorial. Smart Product Design Product Realization Lab Solid Edge Assembly Tutorial Welcome to SPDL/ PRL s Solid Edge Tutorial. This tutorial is designed to familiarize you with the interface of Solid Edge Assembly

More information

Minecraft Hour of Code Adventurer: Answer Sheet & Teacher Tips

Minecraft Hour of Code Adventurer: Answer Sheet & Teacher Tips Minecraft Hour of Code Adventurer: Answer Sheet & Teacher Tips From Dan Hubing January 31 2017 Select a character: Steve or Alex. Level 1 Drag over another move forward block under the existing move forward

More information

Interactive 1 Player Checkers. Harrison Okun December 9, 2015

Interactive 1 Player Checkers. Harrison Okun December 9, 2015 Interactive 1 Player Checkers Harrison Okun December 9, 2015 1 Introduction The goal of our project was to allow a human player to move physical checkers pieces on a board, and play against a computer's

More information

S206E Lecture 6, 5/18/2016, Rhino 3D Architectural Modeling an overview

S206E Lecture 6, 5/18/2016, Rhino 3D Architectural Modeling an overview Copyright 2016, Chiu-Shui Chan. All Rights Reserved. S206E057 Spring 2016 This tutorial is to introduce a basic understanding on how to apply visual projection techniques of generating a 3D model based

More information

Hyperion System 9 Financial Data Quality Management. Quick Reference Guide

Hyperion System 9 Financial Data Quality Management. Quick Reference Guide Hyperion System 9 Financial Data Quality Management Quick Reference Guide Hyperion FDM Release 9.2.0. 2000 2006 - Hyperion Solutions Corporation. All rights reserved. Hyperion, the Hyperion logo and Hyperion

More information

Face Swap with Pixlr

Face Swap with Pixlr Face Swap with Pixlr Today we will be using the website www.pixlr.com to create a face swap. To begin you need an image with a clear face. Do not choose something too small. The image needs to have the

More information