Lab 14: Text & Corpus Processing with NLTK. Ling 1330/2330: Computational Linguistics Na-Rae Han

Size: px
Start display at page:

Download "Lab 14: Text & Corpus Processing with NLTK. Ling 1330/2330: Computational Linguistics Na-Rae Han"

Transcription

1 Lab 14: Text & Corpus Processing with NLTK Ling 1330/2330: Computational Linguistics Na-Rae Han

2 Getting started with NLTK book NLTK Book, with navigation panel: NLTK Book, without: Chapter 1. Language Processing and Python Chapter 2. Accessing Text Corpora and Language Resources 10/18/2018 2

3 Install NLTK and NLTK data NLTK (Mac): NLTK (Win): NLTK data: Test to confirm everything works: 10/18/2018 3

4 textstats and pipeline 'Rose is a rose is a rose is a rose.' gettokens ['rose', 'is', 'a', 'rose', 'is', 'a', 'rose', 'is', 'a', 'rose', '.'] gettypes getfreq getword2grams ['.', 'a', 'is', 'rose'] x = 2 getxlengthwords {'a': 3, 'is': 3, '.': 1, 'rose': 4} x = 3 getxfreqwords [('rose', 'is'), ('is', 'a'), ('a', 'rose'), ('rose', 'is'), ('is', 'a'), ] ['is', 'rose'] ['a', 'is', 'rose'] 10/18/2018 4

5 List comprehension can do them all 'Rose is a rose is a rose is a rose.' gettokens ['rose', 'is', 'a', 'rose', 'is', 'a', 'rose', 'is', 'a', 'rose', '.'] gettypes getfreq getword2grams ['.', 'a', 'is', 'rose'] x = 2 getxlengthwords ['is', 'rose'] {'a': 3, 'is': 3, '.': 1, 'rose': 4} x = 3 getxfreqwords ['a', 'is', 'rose'] [('rose', 'is'), ('is', 'a'), ('a', 'rose'), ('rose', 'is'), ('is', 'a'), ] No longer needed. Can be achieved via list comprehension! 10/18/2018 5

6 Multiple ways to build 'Rose is a rose is a rose is a rose.' gettokens ['rose', 'is', 'a', 'rose', 'is', 'a', 'rose', 'is', 'a', 'rose', '.'] sorted(set()) gettypes getfreq ['.', 'a', 'is', 'rose'] {'a': 3, 'is': 3, '.': 1, 'rose': 4} sorted() 10/18/2018 6

7 Multiple ways to build 'Rose is a rose is a rose is a rose.' gettokens ['rose', 'is', 'a', 'rose', 'is', 'a', 'rose', 'is', 'a', 'rose', '.'] sorted(set()) gettypes Goodbye getfreq textstats, ['.', 'a', 'is', 'rose'] Hello, NLTK! {'a': 3, 'is': 3, '.': 1, 'rose': 4} sorted() 10/18/2018 7

8 NLTK's functions 'Rose is a rose is a rose is a rose.' nltk.word_tokenize() ['Rose', 'is', 'a', 'rose', 'is', 'a', 'rose', 'is', 'a', 'rose', '.'] FreqDist({'rose': 3, 'a': 3, 'is': 3, 'Rose': 1, '.': 1}) ['.', 'Rose', 'a', 'is', 'rose'] nltk.freqdist() sorted() nltk.ngrams() sorted(set()) [('Rose', 'is'), ('is', 'a'), ('a', 'rose'), ('rose', 'is'), ('is', 'a'), ('a', 'rose'), ('rose', '.')] 10/18/2018 8

9 NLTK's tokenizer >>> import nltk >>> nltk.word_tokenize('hello, world!') ['Hello', ',', 'world', '!'] >>> nltk.word_tokenize("i haven't seen Star Wars.") ['I', 'have', "n't", 'seen', 'Star', 'Wars', '.'] >>> nltk.word_tokenize("it's 5 o'clock. Call Ted...!") ['It', "'s", '5', "o'clock", '.', 'Call', 'Ted', '...', '!'] >>> rose = 'Rose is a rose is a rose is a rose.' >>> nltk.word_tokenize(rose) ['Rose', 'is', 'a', 'rose', 'is', 'a', 'rose', 'is', 'a', 'rose', '.'] >>> rtoks = nltk.word_tokenize(rose) >>> rtoks ['Rose', 'is', 'a', 'rose', 'is', 'a', 'rose', 'is', 'a', 'rose', '.'] >>> type(rtoks) <class 'list'> nltk.word_tokenize() Note differences! No lowercasing, n't, o'clock a word Good-old list type. 10/18/2018 9

10 NLTK and frequency counts >>> rfreq = nltk.freqdist(rtoks) >>> rfreq FreqDist({'rose': 3, 'a': 3, 'is': 3, 'Rose': 1, '.': 1}) >>> rfreq['is'] 3 >>> rfreq.keys() dict_keys(['a', 'is', 'Rose', 'rose']) >>> rfreq.values() dict_values([3, 3, 1, 3]) >>> rfreq.items() dict_items([('a', 3), ('is', 3), ('Rose', 1), ('rose', 3)]) >>> sorted(rfreq) ['Rose', 'a', 'is', 'rose'] >>> type(rfreq) <class 'nltk.probability.freqdist'> word types nltk.freqdist() FreqDist works very much like our frequency count dictionary but it's NLTK's own custom data type! 10/18/

11 FreqDist can do much more >>> dir(rfreq) ['B', 'N', 'Nr', ' add ', ' and ', ' class ', 'clear', 'copy', 'elements', 'freq', 'fromkeys', 'get', 'hapaxes', 'items', 'keys', 'max', 'most_common', 'pformat', 'plot', 'pop', 'popitem', 'pprint', 'r_nr', 'setdefault', 'subtract', 'tabulate', 'unicode_repr', 'update', 'values'] >>> rfreq.hapaxes() ['Rose', '.'] >>> rfreq.tabulate() rose a is Rose >>> rfreq.most_common(2) [('a', 3), ('is', 3)] >>> rfreq['platypus'] 0 >>> rfreq.plot() >>> rfreq.max() 'a' Graph window pops up nltk.freqdist comes with additional handy methods! No "key not found" error! Defaults to 0. 10/18/

12 NLTK and n-grams >>> rtoks ['Rose', 'is', 'a', 'rose', 'is', 'a', 'rose', 'is', 'a', 'rose', '.'] >>> nltk.ngrams(rtoks, 2) <generator object ngrams at 0x0A18B0C0> >>> for gram in nltk.ngrams(rtoks, 2): print(gram) nltk.ngrams() returns a generator object. Cannot see it as a whole, but works in for loop. ('Rose', 'is') ('is', 'a') ('a', 'rose') ('rose', 'is') ('is', 'a') ('a', 'rose') ('rose', 'is') ('is', 'a') ('a', 'rose') ('rose', '.') Feed to nltk.freqdist() to obtain bigram frequency distribution. >>> r2grams = nltk.ngrams(rtoks, 2) >>> nltk.freqdist(r2grams) FreqDist({('is', 'a'): 3, ('a', 'rose'): 3, ('rose', 'is'): 2, ('rose', '.'): 1, ('Rose', 'is'): 1}) 10/18/

13 New trick: sentence tokenization! >>> foo = 'Hello, earthlings! I come in peace. Take me to your leader.' >>> nltk.sent_tokenize(foo) ['Hello, earthlings!', 'I come in peace.', 'Take me to your leader.'] >>> foosents = nltk.sent_tokenize(foo) >>> foosents[0] 'Hello, earthlings!' >>> foosents[1] 'I come in peace.' >>> foosents[-1] 'Take me to your leader.' >>> len(foosents) 3 Total number of sentences nltk.sent_tokenize() takes a text string, returns a list of sentences as strings. 10/18/

14 Try it out 5 minutes In IDLE shell, copy and paste the "Moby Dick" opening paragraph from Text samples, as string called motxt. Then, use NLTK's functions to produce: word tokens nltk.word_tokenize(txt) word frequency distribution nltk.freqdist(tokens) bigram list nltk.ngrams(tokens, 2) bigram frequency distribution nltk.freqdist(bigrams) sentence list nltk.sent_tokenize(txt) How many words? How many sentences? "I" occurs how many times? 20 most common words? 20 most common bigrams? 10/18/

15 NLTK's corpus methods NLTK provides methods for reading in a corpus as a "corpus object". Many different methods available for different types of corpora (plain text? POS-tagged? XML format?) PlaintextCorpusReader suits our corpora just fine. Once a corpus is "loaded" and a corpus object created, we can use pre-defined methods on the corpus. 10/18/

16 Loading your own Corpus >>> from nltk.corpus import PlaintextCorpusReader >>> corpus_root = 'D:/Lab/mycorpus/ICLE2' >>> jacor = PlaintextCorpusReader(corpus_root, 'JP.*txt') >>> type(jacor) <class 'nltk.corpus.reader.plaintext.plaintextcorpusreader'> >>> jacor.fileids() ['JPSW1001.txt', 'JPSW1002.txt', 'JPSW1003.txt', 'JPSW1004.txt', 'JPSW1005.txt', 'JPSW1006.txt', 'JPSW1007.txt', 'JPSW1008.txt', 'JPSW1009.txt', 'JPSW1010.txt', 'JPSW1011.txt', 'JPSW1012.txt', 'JPSW1013.txt', 'JPSW1014.txt', 'JPSW1015.txt', 'JPSW1016.txt', 'JPSW1017.txt', 'JPSW1018.txt', 'JPSW1019.txt', 'JPSW1020.txt', 'JPSW1021.txt', 'JPSW1022.txt', 'JPSW1023.txt', 'JPSW1024.txt', 'JPSW1025.txt', 'JPSW1026.txt', 'JPSW1027.txt', 'JPSW1028.txt', 'JPSW1029.txt', 'JPSW1030.txt'] >>> len(jacor.fileids()) 30 >>> jacor.fileids()[0] 'JPSW1001.txt' File names without path work as the file ID.* means any character, in any number 10/18/

17 .words() is a list of word tokens >>> jacor.words() ['I', 'agree', 'greatly', 'this', 'topic', 'mainly',...] >>> len(jacor.words()) >>> jacor.words()[:50] ['I', 'agree', 'greatly', 'this', 'topic', 'mainly', 'because', 'I', 'think', 'that', 'English', 'becomes', 'an', 'official', 'language', 'in', 'the', 'not', 'too', 'distant', '.', 'Now', ',', 'many', 'people', 'can', 'speak', 'English', 'or', 'study', 'it', 'all', 'over', 'the', 'world', ',', 'and', 'so', 'more', 'people', 'will', 'be', 'able', 'to', 'speak', 'English', '.', 'Before', 'the', 'Japanese'] >>> jacor.words('jpsw1001.txt') ['I', 'agree', 'greatly', 'this', 'topic', 'mainly',...] >>> len(jacor.words('jpsw1001.txt')) 475 >>> len(jacor.words('jpsw1002.txt')) 559 All tokenized words in this corpus Word tokens in 1 st file only Whoa! Spill-proof! 10/18/

18 .sents() is a list of sentence tokens >>> jacor.sents() [['I', 'agree', 'greatly', 'this', 'topic', 'mainly', 'because', 'I', 'think', 'that', 'English', 'becomes', 'an', 'official', 'language', 'in', 'the', 'not', 'too', 'distant', '.'], ['Now', ',', 'many', 'people', 'can', 'speak', 'English', 'or', 'study', 'it', 'all', 'over', 'the', 'world', ',', 'and', 'so', 'more', 'people', 'will', 'be', 'able', 'to', 'speak', 'English', '.'], Again, spill-proof....] >>> jacor.sents()[0] ['I', 'agree', 'greatly', 'this', 'topic', 'mainly', 'because', 'I', 'think', 'that', 'English', 'becomes', 'an', 'official', 'language', 'in', 'the', 'not', 'too', 'distant', '.'] >>> jacor.sents()[-1] ['Let', "'", 's', 'study', 'English', ',', 'and', 'aommunicato', 'with', 'all', 'over', 'the', 'world', '!"'] >>> len(jacor.sents()) sentences in this corpus! 1 st sentence Last sentence Unlike nltk.sent_tokenize() output, each sentence is a list of word tokens! 10/18/

19 .sents() is a list of sentence tokens Sentences in 1 >>> jacor.sents('jpsw1001.txt') st file only [['I', 'agree', 'greatly', 'this', 'topic', 'mainly', 'because', 'I', 'think', 'that', 'English', 'becomes', 'an', 'official', 'language', 'in', 'the', 'not', 'too', 'distant', '.'], ['Now', ',', 'many', 'people', 'can', 'speak', 'English', 'or', 'study', 'it', 'all', 'over', 'the', 'world', ',', 'and', 'so', 'more', 'people', 'will', 'be', 'able', 'to', 'speak', 'English', '.'],...] >>> len(jacor.sents('jpsw1001.txt')) 22 >>> for f in jacor.fileids(): print(f, 'has', len(jacor.sents(f)), 'sentences') JPSW1001.txt has 22 sentences JPSW1002.txt has 43 sentences JPSW1003.txt has 40 sentences JPSW1004.txt has 28 sentences For-loop through file IDs, print out sentence count of each essay 10/18/

20 .raw() is a raw text string >>> jacor.raw()[:200] 'I agree greatly this topic mainly because I think that English becomes an official language in the not too distant. Now, many people can speak English or study it all over the world, and so more peopl' >>> jacor.raw()[-200:] 's. I like to study English than before. English is the common language. If we want to success the work, you need high linguistic ability. Let\'s study English, and aommunicato with all over the world!"' >>> len(jacor.raw()) >>> jacor.raw('jpsw1001.txt') Character count of entire corpus.raw() is not spill-proof, so we must be careful. Raw text of 1 st file only, small enough to flash in full "I agree greatly this topic mainly because I think that English becomes an official language in the not too distant. Now, many people can speak English or study it all over the world, and so more people will be able to speak English. Before the Japanese fall behind other people, we should be able to speak English, therefore, we must study English not only junior high school students or over 10/18/

21 Try it out 5 minutes Download the ICLE2 "Bulgarian vs. Japanese EFL Writing" corpus from CourseWeb (on HW5B). Then, load the corpus through NLTK: >>> from nltk.corpus import PlaintextCorpusReader >>> corpus_root = 'D:/Lab/mycorpus/ICLE2' >>> jacor = PlaintextCorpusReader(corpus_root, 'JP.*txt') >>> dir(jacor) ['CorpusView', ' class ', ' delattr ', ' dict ',... 'abspath', 'abspaths', 'citation', 'encoding', 'ensure_loaded', 'fileids', 'license', 'open', 'paras', 'raw', 'readme', 'root', 'sents', 'unicode_repr', 'words'] Try: jacor.fileids() jacor.words() jacor.sents() jacor.raw()[:200] jacor.words('jpsw1001.txt') jacor.sents('jpsw1001.txt') jacor.raw('jpsw1001.txt') 10/18/

22 Further corpus processing A corpus object (PlaintextCorpusReader) already has tokenized words, tokenized sentences, and raw text strings. Accessible as a whole corpus, or by-file basis Other data objects should then be built from the tokens: Word frequency distribution nltk.freqdist(tokens) Word type list sorted(set(tokens)) sorted(freqdist) N-gram list nltk.ngrams(tokens, n) N-gram frequency distribution nltk.freqdist(ngrams) 10/18/

23 Word frequency through FreqDist() >>> jafreq = nltk.freqdist(jacor.words()) >>> jafreq['english'] 709 >>> jafreq['the'] 352 >>> jafreq.most_common(20) nltk.freqdist() builds a frequency distribution object [('.', 997), (',', 709), ('English', 709), ('to', 571), ('I', 452), ('is', 413), ('the', 352), ('and', 272), ('we', 240), ('a', 236), ('in', 228), ('of', 197), ('that', 195), ('Japanese', 181), ('language', 180), ('master', 167), ('think', 165), ("'", 163), ('can', 151), ('people', 146)] >>> jafreq.freq('english') >>> jafreq.freq('the') >>> len(jafreq) 1613 >>> sorted(jafreq)[-20:] ['worth', 'would', 'wouldn', 'write', 'writing', 'written', 'wrong', 'year', 'years', 'yen', 'yes', 'yet', 'yhings', 'you', 'young', 'your', 'yourself', 'youth', '\x81', '\x87'] 10/18/

24 Word frequency distribution >>> jafreq.plot(50, cumulative=true) 10/18/

25 Building n-grams >>> ja2grams = nltk.ngrams(jacor.words(), 2) >>> ja2grams[:20] Traceback (most recent call last): File "<pyshell#64>", line 1, in <module> ja2grams[:20] TypeError: 'generator' object is not subscriptable >>> list(ja2grams)[:20] [('I', 'agree'), ('agree', 'greatly'), ('greatly', 'this'), ('this', 'topic'), ('topic', 'mainly'), ('mainly', 'because'), ('because', 'I'), ('I', 'think'), ('think', 'that'), ('that', 'English'), ('English', 'becomes'), ('becomes', 'an'), ('an', 'official'), ('official', 'language'), ('language', 'in'), ('in', 'the'), ('the', 'not'), ('not', 'too'), ('too', 'distant'), ('distant', '.')] >>> list(ja2grams)[:20] [] nltk.ngrams() builds an n-gram list Oops, a generator object -- Cannot slice. list-ify, and then slice. After a full round of "generating" (list-ifying above, a for-loop, etc. ), the generator object is now empty! next page 10/18/

26 n-gram frequency distribution So, in order to use >>> ja2grams = nltk.ngrams(jacor.words(), 2) ja2grams again to build a >>> ja2gramfd = nltk.freqdist(ja2grams) frequency distribution, we >>> len(ja2gramfd) 7154 should re-build ja2grams. >>> ja2gramfd.most_common(20) [(('.', 'I'), 152), (('I', 'think'), 137), (('master', 'English'), 127), (('English', 'is'), 125), (('English', '.'), 124), (("'", 't'), 119), (('to', 'master'), 118), ((',', 'I'), 90), (('speak', 'English'), 87), (('English', ','), 82), (('second', 'language'), 80), (('English', 'as'), 78), ((',', 'we'), 78), (('as', 'a'), 76), (('need', 'to'), 74), (('the', 'world'), 73), (('language', '.'), 70), (('a', 'second'), 68), (('it', 'is'), 68), (('in', 'the'), 65)] >>> for (gram, count) in ja2gramfd.most_common(20): print(gram, count) ('.', 'I') 152 ('I', 'think') 137 ('master', 'English') 127 ('English', 'is') 125 ('English', '.') 124 Whoa. 'master English' is #3 most frequent bigram. 26

27 Try it out 5 minutes Further process the ICLE2 "Bulgarian vs. Japanese EFL Writing" corpus. Word frequency distribution nltk.freqdist(jacor.words()) Word type list sorted(set(jacor.words())) # Don't flash to SHELL! sorted(freqdist) N-gram list nltk.ngrams(jacor.words(), n) N-gram frequency distribution nltk.freqdist(ngrams) Most frequent words? How many times is 'master' mentioned? How many word types? Most frequent bigrams? 10/18/

28 Summary Process a SINGLE TEXT Process a CORPUS You start with -> A single text string A corpus object (1) Text string ^^ Built-in.raw() (2) Word tokens Build using nltk.word_tokenize() Built-in.words() (3) Sentence tokens Build using nltk.sent_tokenize() **Note: each sentence is a string (4) Word frequency distribution Built-in.sents() **Note: each sentence is a tokenized word list Build from (2), using nltk.freqdist() (5) Word types Build from (2) or (4), using sorted(), set() (6) N-grams Build from (2), using nltk.ngrams() (7) N-gram frequency distrib. (8) nltk.text object Build from (6), using nltk.freqdist() Build from (2), using nltk.text() Accessible corpus-wide or per-file Next class 10/18/

29 Wrapping up Homework 6 due next Tuesday Friday recitation Final exam: Monday (Dec 10) 8am 10am is the assigned time We decided to have it later at 4pm-6pm, same day, at LMC (G17). 10/18/

LING/C SC 581: Advanced Computational Linguistics. Lecture Notes Feb 6th

LING/C SC 581: Advanced Computational Linguistics. Lecture Notes Feb 6th LING/C SC 581: Advanced Computational Linguistics Lecture Notes Feb 6th Adminstrivia The Homework Pipeline: Homework 2 graded Homework 4 not back yet soon Homework 5 due Weds by midnight No classes next

More information

Lab 11: Regular Expressions in Python

Lab 11: Regular Expressions in Python Lab 11: Regular Expressions in Python Learning to use regex in Python The Odds & Ends of Python Regular Expressions: http://pythoncentral.org/the-odds-ends-of-python-regularexpressions/ Google Developers'

More information

Lab 10: List Comprehension, Handling Large Text. Ling 1330/2330: Computational Linguistics Na-Rae Han

Lab 10: List Comprehension, Handling Large Text. Ling 1330/2330: Computational Linguistics Na-Rae Han Lab 10: List Comprehension, Handling Large Text Ling 1330/2330: Computational Linguistics Na-Rae Han Objectives HW3, Exercise 6 review List comprehension Filtering Transforming Beyond a single, small text

More information

Introduction to Natural Language Processing This week & next week: Classification Sentiment Lexicons

Introduction to Natural Language Processing This week & next week: Classification Sentiment Lexicons Introduction to Natural Language Processing This week & next week: Classification Sentiment Lexicons Center for Games and Playable Media http://games.soe.ucsc.edu Kendall review of HW 2 Next two weeks

More information

Max Score / Max # Possible - New ABI Gradebook Feature

Max Score / Max # Possible - New ABI Gradebook Feature Max Score / Max # Possible - New ABI Gradebook Feature OPTIONAL MAX SCORE TOOL (*EGP users: This was the Max Score / Points feature in EGP.) This feature is for teachers who want to enter Raw Scores for

More information

LING/C SC 581: Advanced Computational Linguistics. Lecture 2 Jan 15 th

LING/C SC 581: Advanced Computational Linguistics. Lecture 2 Jan 15 th LING/C SC 581: Advanced Computational Linguistics Lecture 2 Jan 15 th From last time Did everyone install Python 3 and nltk/nltk_data? We'll do a Homework 2 on this today Importing your own corpus Learning

More information

WordCruncher Tools Overview WordCruncher Library Download an ebook or corpus Create your own WordCruncher ebook or corpus Share your ebooks or notes

WordCruncher Tools Overview WordCruncher Library Download an ebook or corpus Create your own WordCruncher ebook or corpus Share your ebooks or notes WordCruncher Tools Overview Office of Digital Humanities 5 December 2017 WordCruncher is like a digital toolbox with tools to facilitate faculty research and student learning. Red text in small caps (e.g.,

More information

Comparison of N-Gram 1 Rank Frequency Data from the Written Texts of the British National Corpus World Edition (BNC) and the author s Web Corpus

Comparison of N-Gram 1 Rank Frequency Data from the Written Texts of the British National Corpus World Edition (BNC) and the author s Web Corpus Comparison of N-Gram 1 Rank Frequency Data from the Written Texts of the British National Corpus World Edition (BNC) and the author s Web Corpus Both sets of texts were preprocessed to provide comparable

More information

EndNote for Windows. Take a class. Background. Getting Started. 1 of 17

EndNote for Windows. Take a class. Background. Getting Started. 1 of 17 EndNote for Windows Take a class The Galter Library teaches a related class called EndNote. See our Classes schedule for the next available offering. If this class is not on our upcoming schedule, it is

More information

Name. School. Date.

Name. School. Date. Name School Date http://www.doe.virginia.gov LinguaFolio, Jr. is a collection of information about early language learning. It has three parts: My Language Passport My Language Biography My Language Dossier

More information

AP English Summer Assignment. Welcome to AP English I look forward to an exciting year with you next year.

AP English Summer Assignment. Welcome to AP English I look forward to an exciting year with you next year. AP English 10-11 Summer Assignment Welcome to AP English I look forward to an exciting year with you next year. Materials: How to Read by Thomas C. Foster 1984 by George Orwell Reading Assignment: First

More information

Introduction to Layout Control with JMRI/PanelPro. Create a Detailed CTC Machine Model with JMRI/PanelPro

Introduction to Layout Control with JMRI/PanelPro. Create a Detailed CTC Machine Model with JMRI/PanelPro Add Signals to your Layout with JMRI/PanelPro Dick Bronson - R R -C irk its, I n c. Other Clinics in this series: Introduction to Layout Control with JMRI/PanelPro 8:30 PM, Sunday, July 13th Create a Detailed

More information

ENCYCLOPEDIA DATABASE

ENCYCLOPEDIA DATABASE Step 1: Select encyclopedias and articles for digitization Encyclopedias in the database are mainly chosen from the 19th and 20th century. Currently, we include encyclopedic works in the following languages:

More information

Formatting a Document in Word using MLA style

Formatting a Document in Word using MLA style Formatting a Document in Word using MLA style 1. Using MS Word - various versions 2. Using MLA Handbook for Writers of Research Papers 7 th ed. (2009) 3. The 7 th ed. is also in Term Paper Assistance section

More information

Essay Structure. Take out your vocab. Notecards! A Day: 9/3/15. B Day: 9/4/15. Reflection: Connect the painting below to your summer reading.

Essay Structure. Take out your vocab. Notecards! A Day: 9/3/15. B Day: 9/4/15. Reflection: Connect the painting below to your summer reading. Step 1 HOMEWORK Take out your vocab. Notecards! Step 2 Notes heading Write down title & date. Step 3 Start the Welcome Work Essay Structure A Day: 9/3/15 B Day: 9/4/15 Reflection: Connect the painting

More information

WRITING FOR CAMBRIDGE ENGLISH: PRELIMINARY (PET) A MOCK PROPOSAL

WRITING FOR CAMBRIDGE ENGLISH: PRELIMINARY (PET) A MOCK PROPOSAL WRITING FOR CAMBRIDGE ENGLISH: PRELIMINARY (PET) A MOCK PROPOSAL INTRODUCTION 1 The aim of this proposal is to provide both students and teachers with supplemental material for the Cambridge English: Preliminary

More information

Sarcasm Detection in Text: Design Document

Sarcasm Detection in Text: Design Document CSC 59866 Senior Design Project Specification Professor Jie Wei Wednesday, November 23, 2016 Sarcasm Detection in Text: Design Document Jesse Feinman, James Kasakyan, Jeff Stolzenberg 1 Table of contents

More information

DIRECT STATION SELECTION CONSOLE USER GUIDE

DIRECT STATION SELECTION CONSOLE USER GUIDE DIRECT STATION SELECTION CONSOLE USER GUIDE Release 1, 2, 3, and 4 COPYRIGHT 1992 TOSHIBA AMERICA INFORMATION SYSTEMS, INC. All rights reserved. No part of this manual may be reproduced in any form or

More information

As Emoji Spread Beyond Texts, Many Remain [Confounded Face] [Interrobang]

As Emoji Spread Beyond Texts, Many Remain [Confounded Face] [Interrobang] As Emoji Spread Beyond Texts, Many Remain [Confounded Face] [Interrobang] ROBERT SIEGEL, HOST: And we're exploring one way our communication is changing in All Tech Considered. (SOUNDBITE OF MUSIC) SIEGEL:

More information

Write perfect short story for kids >>>CLICK HERE<<<

Write perfect short story for kids >>>CLICK HERE<<< Write perfect short story for kids >>>CLICK HERE

More information

2018 RICHELE & LINDSEY PRODUCTIONS, LLC TALKINGMOM2MOM.COM

2018 RICHELE & LINDSEY PRODUCTIONS, LLC TALKINGMOM2MOM.COM 2018 RICHELE & LINDSEY PRODUCTIONS, LLC TALKINGMOM2MOM.COM All rights reserved. No part of this work may be reproduced or distributed in any form by any means--graphic, electronic, or mechanical, including

More information

Introductions o Instructor introduction o Attendee introductions Why are you here? What do you hope to learn? Do you have any special needs?

Introductions o Instructor introduction o Attendee introductions Why are you here? What do you hope to learn? Do you have any special needs? Morning Session Day 1--------9:00am Session Start Introductions o Instructor introduction o Attendee introductions Why are you here? What do you hope to learn? Do you have any special needs? Housekeeping

More information

ADD-ON MODULE AND DIRECT STATION SELECTION CONSOLE USER GUIDE

ADD-ON MODULE AND DIRECT STATION SELECTION CONSOLE USER GUIDE ADD-ON MODULE AND DIRECT STATION SELECTION CONSOLE USER GUIDE Release 1 COPYRIGHT 1993 TOSHIBA AMERICA INFORMATION SYSTEMS, INC. All rights reserved. No part of this manual may be reproduced in any form

More information

Lecture 26: Multipliers. Final presentations May 8, 1-5pm, BWRC Final reports due May 7 Final exam, Monday, May :30pm, 241 Cory

Lecture 26: Multipliers. Final presentations May 8, 1-5pm, BWRC Final reports due May 7 Final exam, Monday, May :30pm, 241 Cory EE241 - Spring 2008 Advanced Digital Integrated Circuits Lecture 26: Multipliers Latches Announcements Homework 5 Due today Wrapping-up the class: Final presentations May 8, 1-5pm, BWRC Final reports due

More information

-This is the first grade of the marking period. Be sure to do your very best work and answer all parts of the assignment completely and thoroughly.

-This is the first grade of the marking period. Be sure to do your very best work and answer all parts of the assignment completely and thoroughly. Name: 8 th grade summer reading Comment [VCSD1]: The plot diagram is used commonly in literature to visually show the different aspects of a novel, short story, play, etc. It is extremely helpful in determining

More information

Social conditions affect our perceptions, our actions, and our relationships.

Social conditions affect our perceptions, our actions, and our relationships. You MUST do number 1 for 60 points. Then choose TWO of numbers 2-7 for 20 points each. Harrison Bergeron, Lamb to Slaughter, By the Waters of Babylon, Where Have You Gone, Charming Billy, A Separate Peace

More information

March/April Independent Book Analysis

March/April Independent Book Analysis March/April Independent Book Analysis r Read the assignment sheet and ask questions about anything you don t understand. r Some examples: Hugs prove stronger than magic twigs. The Deathly Hallows by J.K.

More information

Introduction to Natural Language Processing Phase 2: Question Answering

Introduction to Natural Language Processing Phase 2: Question Answering Introduction to Natural Language Processing Phase 2: Question Answering Center for Games and Playable Media http://games.soe.ucsc.edu The plan for the next two weeks Week9: Simple use of VN WN APIs. Homework

More information

Lecture 18: Exam Review

Lecture 18: Exam Review Lecture 18: Exam Review The Digital World of Multimedia Prof. Mari Ostendorf Announcements HW5 due today, Lab5 due next week Lab4: Printer should be working soon. Exam: Friday, Feb 22 Review in class today

More information

Navigate to the Journal Profile page

Navigate to the Journal Profile page Navigate to the Journal Profile page You can reach the journal profile page of any journal covered in Journal Citation Reports by: 1. Using the Master Search box. Enter full titles, title keywords, abbreviations,

More information

Creating Mindmaps of Documents

Creating Mindmaps of Documents Creating Mindmaps of Documents Using an Example of a News Surveillance System Oskar Gross Hannu Toivonen Teemu Hynonen Esther Galbrun February 6, 2011 Outline Motivation Bisociation Network Tpf-Idf-Tpu

More information

Morning Meeting: New Word List, New Poem, Finish Reading Fantastic Mr. Fox, Review for Constitution Quiz

Morning Meeting: New Word List, New Poem, Finish Reading Fantastic Mr. Fox, Review for Constitution Quiz Day of the Week Lesson for / Standards Monday 9/24 Star Student Pictures Constitution Word Sort: Cut and sort words. Glue onto paper when you think they make sense in those categories. Classroom Payday:

More information

Private high school essay examples. Questions 1 and 2 Essays Time 1 hour.

Private high school essay examples. Questions 1 and 2 Essays Time 1 hour. Private high school essay examples. Questions 1 and 2 Essays Time 1 hour. Private high school essay examples >>>CLICK HERE

More information

Module 11 Exercise 1 How to develop a structured essay

Module 11 Exercise 1 How to develop a structured essay Section 1A: Comprehension and Insight skills based on short stories Module 11 Exercise 1 How to develop a structured essay Before you begin What you need: Related text: Seven Wonders by Lewis Thomas Approximate

More information

Essay Structure. Take out your OER s about characterization. A Day: 9/2/16. B Day: 9/6/16

Essay Structure. Take out your OER s about characterization. A Day: 9/2/16. B Day: 9/6/16 Step 1 HOMEWORK Take out your OER s about characterization. Step 2 Notes heading Write down title & date. Step 3 Start the Welcome Work Essay Structure Journal #3: Free Write (page 9) Write about whatever

More information

NEWS ENGLISH LESSONS.com

NEWS ENGLISH LESSONS.com NEWS ENGLISH LESSONS.com Japan pop band SMAP in rare China concert MANY FLASH AND ONLINE ACTIVITIES FOR THIS LESSON, PLUS A LISTENING, AT: http://www.newsenglishlessons.com/1109/110920-pop_concert.html

More information

Week 7 Plan. Fahrenheit 451 test Wednesday of next week (May 17)

Week 7 Plan. Fahrenheit 451 test Wednesday of next week (May 17) Week 7 Plan Monday: Read section 10 (p 123-138) Tuesday: Finish 10 & work on questions & character chart Wednesday: Read section 11 (138-158) Thursday: Finish 11 & time to work on questions/character chart

More information

EE141-Fall 2010 Digital Integrated Circuits. Announcements. Homework #8 due next Tuesday. Project Phase 3 plan due this Sat.

EE141-Fall 2010 Digital Integrated Circuits. Announcements. Homework #8 due next Tuesday. Project Phase 3 plan due this Sat. EE141-Fall 2010 Digital Integrated Circuits Lecture 24 Timing 1 1 Announcements Homework #8 due next Tuesday Project Phase 3 plan due this Sat. Hanh-Phuc s extra office hours shifted next week Tues. 3-4pm

More information

Digital Logic Design ENEE x. Lecture 24

Digital Logic Design ENEE x. Lecture 24 Digital Logic Design ENEE 244-010x Lecture 24 Announcements Homework 9 due today Thursday Office Hours (12/10) from 2:30-4pm Course Evaluations at the end of class today. https://www.courseevalum.umd.edu/

More information

MLA ANNOTATED BIBLIOGRAPHIES. For use in your Revolutionary Song projects

MLA ANNOTATED BIBLIOGRAPHIES. For use in your Revolutionary Song projects MLA ANNOTATED BIBLIOGRAPHIES For use in your Revolutionary Song projects Review: Revolutionary Song Project Write a revolutionary song like Beasts of England. Research the Russian Revolution, and write

More information

THE ACADEMIC UPDATE: ROOM 20 S NEWS FOR DECEMBER 2017

THE ACADEMIC UPDATE: ROOM 20 S NEWS FOR DECEMBER 2017 It s hard to believe that we are beginning our second marking period, or trimester! Where does the time go? Here s an update as to what we ve been doing and where we are headed: We finished our second

More information

Python Quick-Look Utilities for Ground WFC3 Images

Python Quick-Look Utilities for Ground WFC3 Images Instrument Science Report WFC3 2008-002 Python Quick-Look Utilities for Ground WFC3 Images A.R. Martel January 25, 2008 ABSTRACT A Python module to process and manipulate ground WFC3 UVIS and IR images

More information

***Please be aware that there are some issues of compatibility between all current versions of EndNote and macos Sierra (version 10.12).

***Please be aware that there are some issues of compatibility between all current versions of EndNote and macos Sierra (version 10.12). EndNote for Mac Note of caution: ***Please be aware that there are some issues of compatibility between all current versions of EndNote and macos Sierra (version 10.12). *** Sierra interferes with EndNote's

More information

History 469, Recent America Syllabus, fall 2015

History 469, Recent America Syllabus, fall 2015 History 469, Recent America Syllabus, fall 2015 Professor: Dr. Kerry Irish Office Hours: Tuesday and Thursday: 10:50 to 11:30 a.m., Monday 10:00-11:00 a.m., and by appointment.. Phone: 2672 (email is more

More information

The Circle of Fifths *

The Circle of Fifths * OpenStax-CNX module: m10865 1 The Circle of Fifths * Catherine Schmidt-Jones This work is produced by OpenStax-CNX and licensed under the Creative Commons Attribution License 3.0 Abstract Picturing a circle

More information

Mama, I asked as we looked. Why are there so many? Why not have just one or two, instead of each and every?

Mama, I asked as we looked. Why are there so many? Why not have just one or two, instead of each and every? On Monday, Mama took me to a garden to see all the different flowers. There were daisies, roses, buttercups and more - I could list them all for hours. But I was confused because I could not see why all

More information

Presentations- Correct the Errors

Presentations- Correct the Errors Presentations- Correct the Errors Correct your own errors in your homework or things you said in the last class that your teacher has collected. They could be problems with grammar, vocabulary, formality,

More information

Administrative issues. Sequential logic

Administrative issues. Sequential logic Administrative issues Midterm #1 will be given Tuesday, October 29, at 9:30am. The entire class period (75 minutes) will be used. Open book, open notes. DDPP sections: 2.1 2.6, 2.10 2.13, 3.1 3.4, 3.7,

More information

How to Build A Table of Authorities in Word * By: Morgan Otway

How to Build A Table of Authorities in Word * By: Morgan Otway How to Build A Table of Authorities in Word * By: Morgan Otway Overview: A Table of Authorities (TOA) is a list of all of the sources cited in a legal document that notes the page numbers on which each

More information

The decoder in statistical machine translation: how does it work?

The decoder in statistical machine translation: how does it work? The decoder in statistical machine translation: how does it work? Alexandre Patry RALI/DIRO Université de Montréal June 20, 2006 Alexandre Patry (RALI) The decoder in SMT June 20, 2006 1 / 42 Machine translation

More information

EE141-Fall 2010 Digital Integrated Circuits. Announcements. Synchronous Timing. Latch Parameters. Class Material. Homework #8 due next Tuesday

EE141-Fall 2010 Digital Integrated Circuits. Announcements. Synchronous Timing. Latch Parameters. Class Material. Homework #8 due next Tuesday EE-Fall 00 Digital tegrated Circuits Timing Lecture Timing Announcements Homework #8 due next Tuesday Synchronous Timing Project Phase plan due this Sat. Hanh-Phuc s extra office hours shifted next week

More information

Writing a Critical Essay. English Mrs. Waskiewicz

Writing a Critical Essay. English Mrs. Waskiewicz Writing a Critical Essay English Mrs. Waskiewicz Critical Essays (Also called Analysis Essays) In critical essays you have to show your knowledge and understanding of a text that you have studied a novel,

More information

How to find the theme of a book or short story

How to find the theme of a book or short story How to find the theme of a book or short story By Grace Fleming and Esther Lombardi, ThoughtCo.com on 11.28.17 Word Count 981 Level MAX A young book reader. Photo from the public domain If you've ever

More information

ys' night out 1 MAKING SUGGESTIONS Con1plete the dialogue \vith the words in the box. could Let's great going about shall keen don' t feel I'm hungry.

ys' night out 1 MAKING SUGGESTIONS Con1plete the dialogue \vith the words in the box. could Let's great going about shall keen don' t feel I'm hungry. ys' night out 1 MAKING SUGGESTIONS Con1plete the dialogue \vith the words in the box. could Let's great going about shall keen don' t feel I'm hungry. Where 1 shall we go for lunch? I think there's a burger

More information

Attention-grabber MUST relate to your thesis or at least the story in general.

Attention-grabber MUST relate to your thesis or at least the story in general. Attention-grabber MUST relate to your thesis or at least the story in general.? = answer it! quote = cite and explain it! How does it relate to the story or your lit. terms? Startling statement = explain

More information

Tuesday, Dec 3rd 10:15 to 11:00 IHE Classroom at InfoRAD at RSNA 2002.

Tuesday, Dec 3rd 10:15 to 11:00 IHE Classroom at InfoRAD at RSNA 2002. Tuesday, Dec 3rd 10:15 to 11:00 IHE Classroom at InfoRAD at RSNA 2002. 1 Prepared by: DICOM Working Group 16: Magnetic Resonance Presented by: Kees Verduin, Philips Medical Systems Bob Haworth, General

More information

HCC class lecture 8. John Canny 2/23/09

HCC class lecture 8. John Canny 2/23/09 HCC class lecture 8 John Canny 2/23/09 Vygotsky s Genetic Planes Phylogenetic Social-historical Ontogenetic Microgenetic What did he mean by genetic? Internalization Social Plane Social functions Internalization

More information

Dirigentes Del Mundo Futuro/ Leaders Of The Future World (Spanish Edition) By Carlos Cuauhtemoc Sanchez

Dirigentes Del Mundo Futuro/ Leaders Of The Future World (Spanish Edition) By Carlos Cuauhtemoc Sanchez Dirigentes Del Mundo Futuro/ Leaders Of The Future World (Spanish Edition) By Carlos Cuauhtemoc Sanchez If you are searched for a book by Carlos Cuauhtemoc Sanchez Dirigentes del mundo futuro/ Leaders

More information

Foundations Upgrade Institutional Readiness

Foundations Upgrade Institutional Readiness Foundations Upgrade Institutional Readiness GeorgiaFIRST Team November 20, 2013 2013 Board of Regents of the University System of Georgia. All Rights Reserved. WebEx Housekeeping Audio and volume adjustment

More information

Basic Research Skills

Basic Research Skills Basic Research Skills Types of Material Journals Magazines Newspapers Reference sources Websites Databases Periodicals Journal Magazine Newspaper Length Fairly Long: 6-20 pgs Fairly Short:1-5 pgs Fairly

More information

ELA Monday, December 7 th

ELA Monday, December 7 th ELA Monday, December 7 th QW Login to a laptop / chrome book Go to Google Classroom Read the prompt/rubric for the 10-sentence argument: Is War Justified? After reading various war-related texts, write

More information

CprE 281: Digital Logic

CprE 281: Digital Logic CprE 281: igital Logic Instructor: Alexander Stoytchev http://www.ece.iastate.edu/~alexs/classes/ Registers CprE 281: igital Logic Iowa State University, Ames, IA Copyright Alexander Stoytchev Administrative

More information

Time out. Module. Discuss: What do you usually do in your free time? What kind of music/films do you like? What s in this module?

Time out. Module. Discuss: What do you usually do in your free time? What kind of music/films do you like? What s in this module? Module Time out 3 Discuss: What do you usually do in your free time? What kind of music/films do you like? What s in this module? Free-time activities A film survey Poster: Top Star talent contest A music

More information

Parts of thesis writing chapter 1 >>>CLICK HERE<<<

Parts of thesis writing chapter 1 >>>CLICK HERE<<< Parts of thesis writing chapter 1 >>>CLICK HERE

More information

Introduction. Operational Details

Introduction. Operational Details Anthropology 1130 Assignment 2: Analysis of a Story or Myth Due in class Tuesday April 10, 2007 NOTE: April 9 is after the last day of classes and before the final exam (See Below) Introduction This assignment

More information

Independent Book of Your Choice

Independent Book of Your Choice Name: Independent Book of Your Choice 7th Grade Summer Assignment (Worth 100 points) 7th Grade LA ~ Ms. Glidden Hello future 7th graders! Mrs. Campeta and I have worked together to create a summer reading

More information

Physics 105. Spring Handbook of Instructions. M.J. Madsen Wabash College, Crawfordsville, Indiana

Physics 105. Spring Handbook of Instructions. M.J. Madsen Wabash College, Crawfordsville, Indiana Physics 105 Handbook of Instructions Spring 2010 M.J. Madsen Wabash College, Crawfordsville, Indiana 1 During the Middle Ages there were all kinds of crazy ideas, such as that a piece of rhinoceros horn

More information

Grade 7: Summer Reading BOOK REVIEW Read one fiction book.

Grade 7: Summer Reading BOOK REVIEW Read one fiction book. Grade 7: Summer Reading BOOK REVIEW Read one fiction book. In grade 7 students will learn the importance of identifying main ideas in a text. This skill is built upon in the following grades and is a basis

More information

Smart Start: Plagiarism & Citation Be smart and & don t plagiarize. Elise Tung Librarian August 29 & 30, 2018

Smart Start: Plagiarism & Citation Be smart and & don t plagiarize. Elise Tung Librarian August 29 & 30, 2018 Smart Start: Plagiarism & Citation Be smart and & don t plagiarize Elise Tung Librarian August 29 & 30, 2018 Which is a lie? 1. A librarian helps you with citations 2. A librarian needs a master s degree

More information

Romeo and Juliet Research Project REVISED

Romeo and Juliet Research Project REVISED Romeo and Juliet Research Project REVISED TASK: This assignment asks you to write a research paper and present your findings to the class. (Details on the presentation TBA) Sources: For your paper, you

More information

Monty Python And The Holy Grail Screenplay By Graham Chapman

Monty Python And The Holy Grail Screenplay By Graham Chapman Monty Python And The Holy Grail Screenplay By Graham Chapman If you are searching for a book by Graham Chapman Monty Python and the Holy Grail Screenplay in pdf format, in that case you come on to the

More information

Final Projects. For ANY Novel. Unique & engaging projects with rubrics!

Final Projects. For ANY Novel. Unique & engaging projects with rubrics! Addie Williams Final Projects For ANY Novel Unique & engaging projects with rubrics! Eight final project ideas on unique and creative worksheets. Will Work with Any novel! Project Ideas for ANY Novel!

More information

A Student s Guide to the NETA-CET Digital Books

A Student s Guide to the NETA-CET Digital Books 1 A Student s Guide to the NETA-CET Digital Books What Are The NETA-CET Digital Books? The NETA-CET books are available online. The digital edition increases the effectiveness of the books, enriches classroom

More information

Introduction. ECE 153B Sensor & Peripheral Interface Design Winter 2016

Introduction. ECE 153B Sensor & Peripheral Interface Design Winter 2016 Introduction ECE 153B Sensor & Peripheral Interface Design Course Facts Instructor Dr. John M. Johnson (johnson@ece.ucsb.edu) Harold Frank Hall 3165 Office hours: Monday and Wednesday, 12:30 1:30 PM Lecture

More information

Plagiarism. What It Is and How to Avoid It

Plagiarism. What It Is and How to Avoid It Plagiarism What It Is and How to Avoid It If You Created an invention that made millions of dollars, would you want to have it patented so that YOU were the one who received credit and money for your invention?

More information

CWU Music Department WRITTEN THESIS/CREATIVE PROJECT GUIDELINES. Adopted May, 2015

CWU Music Department WRITTEN THESIS/CREATIVE PROJECT GUIDELINES. Adopted May, 2015 CWU Music Department 1 WRITTEN THESIS/CREATIVE PROJECT GUIDELINES Adopted May, 2015 Preferred Style Manual The Chicago Manual of Style: The Essential Guide for Writers, Editors, and Publishers. 16 th edition,

More information

Independent Reading Assignment Checklist Ms. Gentile Grade 7

Independent Reading Assignment Checklist Ms. Gentile Grade 7 Independent Reading Assignment Checklist Ms. Gentile Grade 7 Name: Book Checklist Date: Period: QUARTER 4! Teacher Checklist Each student must submit the following: Due Dates for the Year 2013-2014 (Every

More information

Independent Reading Assignment Checklist Ms. Gentile Grade 7

Independent Reading Assignment Checklist Ms. Gentile Grade 7 Independent Reading Assignment Checklist Ms. Gentile Grade 7 Name: Book Checklist Date: Period: Teacher Checklist Each student must submit the following: Due Dates for the Year 2013-2014 (Every 3 Weeks)

More information

PROGRAM GUIDE AGES Helping Kids Succeed Through Music

PROGRAM GUIDE AGES Helping Kids Succeed Through Music GUIDE 2016 2017 S 3 18 Helping Kids Succeed Through Music TABLE OF CONTENTS REGENT PARK S 4 SATELLITE LOCATION S 10 JANE & FINCH LOCATIONS 10 PARKDALE LOCATION 14 FEE STRUCTURE 15 REGISTRATION INFORMATION

More information

Kobo Writing Life Content Conversion Guidelines

Kobo Writing Life Content Conversion Guidelines Kobo Writing Life Content Conversion Guidelines Formatting In Action: ebook Evolution Let's prepare a document using an evolutionary approach. The book, in this case, is actually a short story called Love

More information

Cavy INSTRUCTIONS Requirements for 4H ers Cover Page. County Report Form Project Pictures Anatomy Pages The End

Cavy INSTRUCTIONS Requirements for 4H ers Cover Page. County Report Form Project Pictures Anatomy Pages The End Cavy INSTRUCTIONS - Completing Your Project Book and Helpful Tips pages go AFTER Requirements for 4H ers and BEFORE Cover Page. - Project Pictures go AFTER County Report Form - Anatomy page(s) go AFTER

More information

Finding Sarcasm in Reddit Postings: A Deep Learning Approach

Finding Sarcasm in Reddit Postings: A Deep Learning Approach Finding Sarcasm in Reddit Postings: A Deep Learning Approach Nick Guo, Ruchir Shah {nickguo, ruchirfs}@stanford.edu Abstract We use the recently published Self-Annotated Reddit Corpus (SARC) with a recurrent

More information

Literature Circles. For example

Literature Circles. For example By: ne i r Ma un r b i Fre Literature Circles There are a multitude of ways to conduct Literature Circles in your classroom. I ve tried using different strategies and methods to figure out the best way

More information

Manual Supplement. This supplement contains information necessary to ensure the accuracy of the above manual.

Manual Supplement. This supplement contains information necessary to ensure the accuracy of the above manual. Manual Title: 9500B Users Supplement Issue: 2 Part Number: 1625019 Issue Date: 9/06 Print Date: October 2005 Page Count: 6 Version 11 This supplement contains information necessary to ensure the accuracy

More information

VARIABLE FREQUENCY CLOCKING HARDWARE

VARIABLE FREQUENCY CLOCKING HARDWARE VARIABLE FREQUENCY CLOCKING HARDWARE Variable-Frequency Clocking Hardware Many complex digital systems have components clocked at different frequencies Reason 1: to reduce power dissipation The active

More information

Pragmatic Annotation. with reference to the Engineering. Hilary Nesi, Ummul Ahmad & Noor Mala Ibrahim

Pragmatic Annotation. with reference to the Engineering. Hilary Nesi, Ummul Ahmad & Noor Mala Ibrahim Pragmatic Annotation with reference to the Engineering Lecture Corpus (ELC) Hilary Nesi, Ummul Ahmad & Noor Mala Ibrahim www.coventry.ac.uk/elc Lessons from BASE www.coventry.ac.uk/base 160 lectures 40

More information

CprE 281: Digital Logic

CprE 281: Digital Logic CprE 281: igital Logic Instructor: Alexander Stoytchev http://www.ece.iastate.edu/~alexs/classes/ Registers CprE 281: igital Logic Iowa State University, Ames, IA Copyright Alexander Stoytchev Administrative

More information

Presentation Overview

Presentation Overview Critical Reading and Writing for Graduate School School of Social Work Graduate Writing Workshop Troy Hicks Steve Tuckey Beginning Words We are what we repeatedly do. Excellence, then, is not an act, but

More information

Pretest. Part 1" Improving Sentences and Paragraphs

Pretest. Part 1 Improving Sentences and Paragraphs Part 1" Improving Sentences and Paragraphs Questions 1-6: Read each sentence. Choose the best way to write the underlined part of the sentence. I Fill in the circle of the correct answer on your answer

More information

Homework for half-chicken March 14 March 18, 2016 (Return this sheet, Monday, March 21 st ) Name:

Homework for half-chicken March 14 March 18, 2016 (Return this sheet, Monday, March 21 st ) Name: Homework for half-chicken March 14 March 18, 2016 (Return this sheet, Monday, March 21 st ) Name: Do you know why a weather vane has a little rooster on the top, spinning around to tell us which way the

More information

SCHOOL ANNOUNCEMENTS TUESDAY, APRIL

SCHOOL ANNOUNCEMENTS TUESDAY, APRIL This image cannot current ly be MARQUETTE HIGH SCHOOL ANNOUNCEMENTS TUESDAY, APRIL 14, 2015 TODAY IS A DAY TODAY IN AMERICAN HISTORY APRIL 14: 1865: ABRAHAM LINCOLN WAS SHOT AND KILLED AT FORD S THEATRE.

More information

The Waveform Generator. Today. PAR Timing Reports (1) EECS150 Fall Lab Lecture #10. Chris Fletcher

The Waveform Generator. Today. PAR Timing Reports (1) EECS150 Fall Lab Lecture #10. Chris Fletcher The Waveform Generator EECS150 Fall2008 - Lab Lecture #10 Chris Fletcher Adopted from slides designed by Chris Fletcher and Ilia Lebedev Today PAR Timing Reports Administrative Info The Waveform Generator

More information

NENS 230 Assignment #2 Data Import, Manipulation, and Basic Plotting

NENS 230 Assignment #2 Data Import, Manipulation, and Basic Plotting NENS 230 Assignment #2 Data Import, Manipulation, and Basic Plotting Compound Action Potential Due: Tuesday, October 6th, 2015 Goals Become comfortable reading data into Matlab from several common formats

More information

Text Analysis. Language is complex. The goal of text analysis is to strip away some of that complexity to extract meaning.

Text Analysis. Language is complex. The goal of text analysis is to strip away some of that complexity to extract meaning. Text Analysis Language is complex. The goal of text analysis is to strip away some of that complexity to extract meaning. Image Source How to talk like a Democrat (or a Republican) Reddit N-gram Viewer:

More information

SetEditHD25Zapper for Comag HD25 Zapper. Contents:

SetEditHD25Zapper for Comag HD25 Zapper. Contents: SetEditHD25Zapper for Comag HD25 Zapper Contents: 1 General 2 Installation 3 Step by step a Load and back up a settings file b Arrange settings c Provider d The favourite lists e Channel parameters f Write

More information

ECE FYP BRIEFING SEMESTER 1, 2012/2013

ECE FYP BRIEFING SEMESTER 1, 2012/2013 13 September 2012 ECE FYP BRIEFING SEMESTER 1, 2012/2013 AUDITORIUM A KULLIYYAH of ENGINEERING AGENDA FYP, what is it all about? Regulations Assessment Submission of reports Presentation Plagiarism issue

More information

CSC475 Music Information Retrieval

CSC475 Music Information Retrieval CSC475 Music Information Retrieval Symbolic Music Representations George Tzanetakis University of Victoria 2014 G. Tzanetakis 1 / 30 Table of Contents I 1 Western Common Music Notation 2 Digital Formats

More information

SetEditDVBViewer for DVBViewer. Contents:

SetEditDVBViewer for DVBViewer. Contents: SetEditDVBViewer for DVBViewer Contents: 1 General 2 Installation 3 Step by step a Load and back up a settings file b Arrange settings c Provider d The favourite lists e Channel parameters f Write settings

More information

TASKI Service Tool Edition: V5.10/2014

TASKI Service Tool Edition: V5.10/2014 Edition: V5.10/2014 Index 1 General 1.1 General information 1 1.1.1 Part reference 1 1.1.2 Consumable supplies 1 1.1.3 Direction description 1 1.1.4 Power source 1 1.2 Required material 2 1.2.1 Tools 2

More information

ADVANCED PATENT ISSUES AND ACCELERATED EXAMINATION. Presented by: Theodore Wood

ADVANCED PATENT ISSUES AND ACCELERATED EXAMINATION. Presented by: Theodore Wood ADVANCED PATENT ISSUES AND ACCELERATED EXAMINATION Presented by: Theodore Wood Overview 2 Quick Review of Claim Basics Preparing for Claim Drafting Claim Drafting Practicing the Art (one perspective) Prioritized

More information