Pearson Education Limited Edinburgh Gate Harlow Essex CM20 2JE England. and Associated Companies throughout the world

Size: px
Start display at page:

Download "Pearson Education Limited Edinburgh Gate Harlow Essex CM20 2JE England. and Associated Companies throughout the world"

Transcription

1

2 Vice President and Editorial Director, ECS: Marcia J. Horton Executive Editor: Tracy Johnson Assistant Acquisitions Editor, Global Edition: Aditee Agarwal Executive Marketing Manager: Tim Galligan Marketing Assistant: Jon Bryant Senior Managing Editor: Scott Disanno Production Project Manager: Greg Dulles Program Manager: Carole Snyder Project Editor, Global Edition: K.K. Neelakantan Senior Manufacturing Controller, Global Edition: Kay Holman Media Production Manager, Global Edition: Vikram Kumar Global HE Director of Vendor Sourcing and Procurement: Diane Hynes Director of Operations: Nick Sklitsis Operations Specialist: Maura Zaldivar-Garcia Cover Designer: Lumina Datamatics Manager, Rights and Permissions: Rachel Youdelman Associate Project Manager, Rights and Permissions: Timothy Nicholls Full-Service Project Management: Kalpana Arumugam, SPi Global MICROSOFT AND/OR ITS RESPECTIVE SUPPLIERS MAKE NO REPRESENTATIONS ABOUT THE SUITABILITY OF THE INFORMATION CONTAINED IN THE DOCUMENTS AND RELATED GRAPHICS PUBLISHED AS PART OF THE SERVICES FOR ANY PURPOSE. ALL SUCH DOCUMENTS AND RELATED GRAPHICS ARE PROVIDED AS IS WITHOUT WARRANTY OF ANY KIND. MICROSOFT AND/OR ITS RESPECTIVE SUPPLIERS HEREBY DISCLAIM ALL WARRANTIES AND CONDITIONS WITH REGARD TO THIS INFORMATION, INCLUDING ALL WARRANTIES AND CONDITIONS OF MERCHANTABILITY, WHETHER EXPRESS, IMPLIED OR STATUTORY, FITNESS FOR A PARTICULAR PURPOSE, TITLE AND NON-INFRINGEMENT. IN NO EVENT SHALL MICROSOFT AND/OR ITS RESPECTIVE SUPPLIERS BE LIABLE FOR ANY SPECIAL, INDIRECT OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER IN AN ACTION OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT OF OR IN CONNECTION WITH THE USE OR PERFORMANCE OF INFORMATION AVAILABLE FROM THE SERVICES. THE DOCUMENTS AND RELATED GRAPHICS CONTAINED HEREIN COULD INCLUDE TECHNICAL INACCURACIES OR TYPOGRAPHICAL ERRORS. CHANGES ARE PERIODICALLY ADDED TO THE INFORMATION HEREIN. MICROSOFT AND/OR ITS RESPECTIVE SUPPLIERS MAY MAKE IMPROVEMENTS AND/OR CHANGES IN THE PRODUCT(S) AND/OR THE PROGRAM(S) DESCRIBED HEREIN AT ANY TIME. PARTIAL SCREEN SHOTS MAY BE VIEWED IN FULL WITHIN THE SOFTWARE VERSION SPECIFIED. Pearson Education Limited Edinburgh Gate Harlow Essex CM20 2JE England and Associated Companies throughout the world Visit us on the World Wide Web at: Pearson Education Limited 2016 The rights of Mark J. Guzdial and Barbara Ericson to be identified as the authors of this work have been asserted by them in accordance with the Copyright, Designs and Patents Act Authorized adaptation from the United States edition, entitled Introduction to Computing and Programming in Python : A Multimedia Approach, Fourth Edition, ISBN , by Mark J. Guzdial and Barbara Ericson published by Pearson Education All rights reserved. No part of this publication may be reproduced, stored in a retrieval system, or transmitted in any form or by any means, electronic, mechanical, photocopying, recording or otherwise, without either the prior written permission of the publisher or a license permitting restricted copying in the United Kingdom issued by the Copyright Licensing Agency Ltd, Saffron House, 6 10 Kirby Street, London EC1N 8TS. All trademarks used herein are the property of their respective owners. The use of any trademark in this text does not vest in the author or publisher any trademark ownership rights in such trademarks, nor does the use of such trademarks imply any affiliation with or endorsement of this book by such owners. British Library Cataloguing-in-Publication Data A catalogue record for this book is available from the British Library ISBN 10: ISBN 13: Typeset in 10.5/13 Times by SPi Global Printed and bound in Malaysia.

3 Section 5.4 Chromakey 157 FIGURE 5.15 Mark in front of a blue sheet. How It Works Here we take in just a source (with both foreground and background in it) and a new background bg. These must be the same size! Mark used the JES picture tool to come up with a rule for what would be blue for this program. He didn t want to look for equality or even a distance to the color (0, 0, 255) because he knew that very little of the blue would be exactly full-intensity blue. He found that pixels he thought of as blue tended to have smaller red and green values, and in fact, the blue values were greater than the sum of the red and the green. So that s what he looked for in this program. Wherever the blue was greater than the red and green, he swapped in the new background pixel s color instead. The function walks through all of the pixels using the variable px. For each one, the x and y positions are computed. If the blue of that pixel px is greater than the red plus the green, then we get the background pixel at the same x and y. We get the color from that pixel, and set it as the color in the source picture at the pixel px. The effect is really quite striking (Figure 5.16). Do note the folds in the lunar surface, though. You don t really want to do chromakey with a common color like red something that there s a lot of in your face. Mark tried it with the two pictures in Figure 5.17 one with the flash on and the other with the flash off. He changed the test to if getred(p) > (getgreen(p) + getblue(p)):. The one without the flash was terrible the student s face was jungle-ified. The one with the flash was better but the flash is still visible after the swap (Figure 5.18). It s clear why moviemakers and weather people use blue or green backgrounds for chromakey there s less overlap with common colors, like face colors. Getting chromakey to work just right takes some careful photography, e.g. good lighting and good choice of background color. But in an animation program, it is really easy to get all those aspects just right. Barbara generated the image in Figure 5.19

4 158 Chapter 5 Picture Techniques with Selection FIGURE 5.16 Mark on the moon. FIGURE 5.17 Student in front of a red background without the flash (left) and with flash on (right). using the programming language Alice. 1 It s the character Alice in front of a completely green background. (Alice has blue eyes and a blue dress, so green is a better choice for chromakey for her.) We wrote a slightly different chromakey function. This one replaces green pixels with a background color. Program 58: ChromakeyGreen: Replace All Green with the New Background def chromakeygreen(source,bg): for px in getpixels(source): x = getx(px) y = gety(px) if (getred(px) + getblue(px) < getgreen(px)): 1

5 Section 5.4 Chromakey 159 FIGURE 5.18 Using chromakey program with red background, flash off (left) and flash on (right). FIGURE 5.19 The character Alice on a completely green background. bgpx = getpixel(bg,x,y) bgcol = getcolor(bgpx) setcolor(px,bgcol) We ran this one twice. Once, with the image saved from Alice as JPEG and once as PNG. Consider the results in Figure Both clearly show Alice in the jungle, but look at the feet. Why does the PNG Alice have shoes on, while the JPEG Alice does not? JPEG is a lossy format. Some detail is lost in terms of color values when saving a picture as JPEG. PNG is a lossless format. PNG maintains color detail. Our suspicion is that the JPEG version of Alice blended the shoe color with the background color

6 160 Chapter 5 Picture Techniques with Selection FIGURE 5.20 Alice JPEG in the jungle (top) andpng(bottom). enough that the chromakey function got confused. The PNG version kept the black of the shoes distinct, so they were retained after the chromakey function. >>> alice = makepicture("alice.jpg") >>> chromakeygreen(alice,jungle) >>> explore(alice) >>> alice = makepicture("alice.png") >>> chromakeygreen(alice,jungle) >>> explore(alice) The devices and software that implement chromakey professionally use a somewhat different process than this. Our algorithm looks for the color to be replaced, then does the replacement. In professional chromakey, a mask is produced. A mask is of the same size as the original image, where pixels to be changed are white in the mask, and those

7 Section 5.5 Coloring in Ranges 161 that should not be changed are black. The mask is then used to decide which pixels are to be changed. An advantage to using a mask is that we separate the processes of (a) detecting which pixels are to be changed and (b) making the changes to the pixels. By separating them, we can improve on each, and thus improve the whole effect. 5.5 COLORING IN RANGES In this chapter, we have used a general technique of iterating across all pixels, computing the x- and y-coordinates, then using an if statement to decide if the pixel needed to be manipulated based on its position. We can use this general approach to do a wide variety of changes to a picture. We can put borders on a picture, or apply image techniques to only part of the picture Adding a Border For example, let s say that we wanted to put a blue and white border on the picture of Greek ruins. Blue and white are the colors on the Greek flag. We want to create the effect seen in Figure Program 59: Add Blue and White Borders def greekborder(pic): bottom = getheight(pic)-10 for px in getpixels(pic): y = gety(px) if y < 10: setcolor(px,blue) if y > bottom: setcolor(px,white) FIGURE 5.21 An image of Greek ruins (left) with a blue and white border added at top and bottom (right).

System Architecture. Strategy and Product Development for Complex Systems. Global edition. Global edition. Edward Crawley Bruce Cameron Daniel Selva

System Architecture. Strategy and Product Development for Complex Systems. Global edition. Global edition. Edward Crawley Bruce Cameron Daniel Selva System Architecture Global edition System Architecture Crawley Cameron Selva This is a special edition of an established title widely used by colleges and universities throughout the world. Pearson published

More information

Digital Control System Analysis and Design

Digital Control System Analysis and Design GLOBAL EDITION Digital Control System Analysis and Design FOURTH EDITION Charles L. Phillips H. Troy Nagle Aranya Chakrabortty Editorial Director, Engineering and Computer Science: Marcia J. Horton Executive

More information

GO! with Microsoft PowerPoint 2010 Introductory Gaskin Vargas Madsen Marucco First Edition

GO! with Microsoft PowerPoint 2010 Introductory Gaskin Vargas Madsen Marucco First Edition GO! with Microsoft PowerPoint 2010 Introductory Gaskin Vargas Madsen Marucco First Edition Pearson Education Limited Edinburgh Gate Harlow Essex CM20 2JE England and Associated Companies throughout the

More information

Chapter 5: Picture Techniques with Selection

Chapter 5: Picture Techniques with Selection Chapter 5: Picture Techniques with Selection I want to make a changered function that will let me: def changered(picture, amount): for p in getpixels(picture): value=getred(p) setred(p,value*amount) If

More information

Pearson Education Limited Edinburgh Gate Harlow Essex CM20 2JE England and Associated Companies throughout the world

Pearson Education Limited Edinburgh Gate Harlow Essex CM20 2JE England and Associated Companies throughout the world Pearson Education Limited Edinburgh Gate Harlow Essex CM20 2JE England and Associated Companies throughout the world Visit us on the World Wide Web at: www.pearsoned.co.uk Pearson Education Limited 2014

More information

Pearson Education Limited Edinburgh Gate Harlow Essex CM20 2JE England and Associated Companies throughout the world

Pearson Education Limited Edinburgh Gate Harlow Essex CM20 2JE England and Associated Companies throughout the world Pearson Education Limited Edinburgh Gate Harlow Essex M20 2JE England and ssociated ompanies throughout the world Visit us on the World Wide Web at: www.pearsoned.co.uk Pearson Education Limited 2014 ll

More information

Sheet Metal Design Guidelines

Sheet Metal Design Guidelines Sheet Metal Design Guidelines Curl and Lance Design Guidelines Issue X, May 2015 2 Copyright Notice Geometric Limited. All rights reserved. No part of this document (whether in hardcopy or electronic form)

More information

Pearson Education Limited Edinburgh Gate Harlow Essex CM20 2JE England and Associated Companies throughout the world

Pearson Education Limited Edinburgh Gate Harlow Essex CM20 2JE England and Associated Companies throughout the world Pearson Education Limited Edinburgh Gate Harlow Essex CM20 2JE England and Associated Companies throughout the world Visit us on the World Wide Web at: www.pearsoned.co.uk Pearson Education Limited 2014

More information

Sheet Metal Design Guidelines

Sheet Metal Design Guidelines Sheet Metal Design Guidelines Hem Design Guidelines Issue XII, June 2015 2 Copyright Notice Geometric Limited. All rights reserved. No part of this document (whether in hardcopy or electronic form) may

More information

Fundamentals of Signals and Systems Using the Web and MATLAB Edward W. Kamen Bonnie S Heck Third Edition

Fundamentals of Signals and Systems Using the Web and MATLAB Edward W. Kamen Bonnie S Heck Third Edition Fundamentals of Signals and Systems Using the Web and MATLAB Edward W. Kamen Bonnie S Heck Third Edition Pearson Education Limited Edinburgh Gate Harlow Essex CM JE England and Associated Companies throughout

More information

College Algebra. Lial Hornsby Schneider Daniels. Eleventh Edition

College Algebra. Lial Hornsby Schneider Daniels. Eleventh Edition College Algebra Lial et al. Eleventh Edition ISBN 978-1-2922-38-9 9 781292 2389 College Algebra Lial Hornsb Schneider Daniels Eleventh Edition Pearson Education Limited Edinburgh Gate Harlow Esse CM2 2JE

More information

Sheet Metal Design Guidelines

Sheet Metal Design Guidelines Sheet Metal Design Guidelines Issue XIV, Aug 2015 2 Copyright Notice Geometric Limited. All rights reserved. No part of this document (whether in hardcopy or electronic form) may be reproduced, stored

More information

Fundamentals of Applied Electromagnetics. Fawwaz T. Ulaby Umberto Ravaioli

Fundamentals of Applied Electromagnetics. Fawwaz T. Ulaby Umberto Ravaioli Global edition Fundamentals of Applied Electromagnetics SEVENTH edition Fawwaz T. Ulaby Umberto Ravaioli Library of Congress Cataloging-in-Publication Data on File Vice President and Editorial Director,

More information

Machining Design Guidelines

Machining Design Guidelines Machining Design Guidelines Milling Rules Issue IV, Jan 2015 2 Copyright Notice Geometric Limited. All rights reserved. No part of this document (whether in hardcopy or electronic form) may be reproduced,

More information

TED-Kit 2, Release Notes

TED-Kit 2, Release Notes TED-Kit 2 3.6.0 December 5th, 2014 Document Information Info Content Keywords TED-Kit 2, Abstract This document contains the release notes for the TED-Kit 2 software. Contact information For additional

More information

Pulse-Width Modulated DC-DC Power Converters Second Edition

Pulse-Width Modulated DC-DC Power Converters Second Edition Pulse-Width Modulated DC-DC Power Converters Second Edition Marian K. Kazimierczuk Pulse-Width Modulated DC DC Power Converters Pulse-Width Modulated DC DC Power Converters Second Edition MARIAN K. KAZIMIERCZUK

More information

Digital Fundamentals A Systems Approach Thomas L. Floyd First Edition

Digital Fundamentals A Systems Approach Thomas L. Floyd First Edition Digital Fundamentals Systems pproach Thomas L. Floyd First Edition Pearson Education Limited Edinburgh Gate Harlow Essex M20 2JE England and ssociated ompanies throughout the world Visit us on the World

More information

The EDR Aerial Photo Decade Package

The EDR Aerial Photo Decade Package Wickenburg/Forepaugh W. US Highway 60/N. 436th Ave Wickenburg, AZ 85390 Inquiry Number: April 22, 2011 The Aerial Photo Decade Package Aerial Photo Decade Package Environmental Data Resources, Inc. ()

More information

Copyright Notice. HCL Technologies Ltd. All rights reserved. A DEFINITIVE GUIDE TO DESIGN FOR MANUFACTURING SUCCESS

Copyright Notice. HCL Technologies Ltd. All rights reserved. A DEFINITIVE GUIDE TO DESIGN FOR MANUFACTURING SUCCESS Copyright Notice HCL Technologies Ltd. All rights reserved. No part of this document (whether in hardcopy or electronic form) may be reproduced, stored in a retrieval system, or transmitted, in any form

More information

The EDR Aerial Photo Decade Package

The EDR Aerial Photo Decade Package I-710 Corridor - Segment 5 I-710 Corridor - Segment 5 Los Angeles County, CA 90201 Inquiry Number: March 25, 2009 The EDR Aerial Photo Decade Package EDR Aerial Photo Decade Package Environmental Data

More information

Pearson Education Limited Edinburgh Gate Harlow Essex CM20 2JE England and Associated Companies throughout the world

Pearson Education Limited Edinburgh Gate Harlow Essex CM20 2JE England and Associated Companies throughout the world Pearson Education Limited Edinburgh Gate Harlow Essex CM20 2JE England and Associated Companies throughout the world Visit us on the World Wide Web at: www.pearsoned.co.uk Pearson Education Limited 2014

More information

Removing Red Eye. Removing Red Eye

Removing Red Eye. Removing Red Eye 2 Removing Red Eye When the flash of the camera catches the eye just right (especially with light colored eyes), we get bounce back from the back of the retina. This results in red eye We can replace the

More information

Picsel epage. Bitmap Image file format support

Picsel epage. Bitmap Image file format support Picsel epage Bitmap Image file format support Picsel Image File Format Support Page 2 Copyright Copyright Picsel 2002 Neither the whole nor any part of the information contained in, or the product described

More information

Appendix B: Historic Aerial Photographs

Appendix B: Historic Aerial Photographs Yolo County - Solar Ground Tracker Project Phase I Environmental Site Assessment Appendix B: Historic Aerial Photographs Michael Brandman Associates H:\Client (PN-JN)\1759\17590008\Phase I ESA\17590008

More information

The EDR Aerial Photo Decade Package

The EDR Aerial Photo Decade Package Former Delco Chassis Plant -Site ID 1104 12950 Eckles Road Livonia, MI 48150 Inquiry Number: August 10, 2009 The EDR Aerial Photo Decade Package EDR Aerial Photo Decade Package Environmental Data Resources,

More information

SOLDERING. Understanding the Basics. Edited by Mel Schwartz. Materials Park, Ohio

SOLDERING. Understanding the Basics. Edited by Mel Schwartz. Materials Park, Ohio SOLDERING Understanding the Basics Edited by Mel Schwartz ASM International Materials Park, Ohio 44073-0002 Copyright 2014 by ASM International All rights reserved No part of this book may be reproduced,

More information

AN PR533 USB stick - Evaluation board. Application note COMPANY PUBLIC. Rev May Document information

AN PR533 USB stick - Evaluation board. Application note COMPANY PUBLIC. Rev May Document information PR533 USB stick - Evaluation board Document information Info Content Keywords PR533, CCID, USB Stick, Contactless Reader Abstract This application notes describes the PR533 evaluation board delivered in

More information

AN Energy Harvesting with the NTAG I²C and NTAG I²C plus. Application note COMPANY PUBLIC. Rev February Document information

AN Energy Harvesting with the NTAG I²C and NTAG I²C plus. Application note COMPANY PUBLIC. Rev February Document information Rev. 1.0 1 February 2016 Application note COMPANY PUBLIC Document information Info Content Keywords NTAG I²C, NTAG I²C plus, Energy Harvesting Abstract Show influencing factors and optimization for energy

More information

AN MIFARE Plus Card Coil Design. Application note COMPANY PUBLIC. Rev April Document information

AN MIFARE Plus Card Coil Design. Application note COMPANY PUBLIC. Rev April Document information MIFARE Plus Card Coil Design Document information Info Content Keywords Contactless, MIFARE Plus, ISO/IEC 1443, Resonance, Coil, Inlay Abstract This document provides guidance for engineers designing magnetic

More information

TI Designs: Biometric Steering Wheel. Amy Ball TIDA-00292

TI Designs: Biometric Steering Wheel. Amy Ball TIDA-00292 www.ti.com 2 Biometric Steering Wheel - -Revised July 2014 www.ti.com TI Designs: Biometric Steering Wheel - -Revised July 2014 Biometric Steering Wheel 3 www.ti.com 4 Biometric Steering Wheel - -Revised

More information

AN Maximum RF Input Power BGU6101. Document information. Keywords Abstract

AN Maximum RF Input Power BGU6101. Document information. Keywords Abstract Maximum RF Input Power BGU6101 Rev. 1 10 September 2015 Application note Document information Info Keywords Abstract Content BGU6101, MMIC LNA, Maximum RF Input Power This document provides RF and DC test

More information

UM OM29263ADK Quick start guide antenna kit COMPANY PUBLIC. Document information

UM OM29263ADK Quick start guide antenna kit COMPANY PUBLIC. Document information Rev. 1.0 8 February 2018 User manual 465010 COMPANY PUBLIC Document information Information Keywords Abstract Content NFC antenna, antenna kit, CLEV663B, CLRC663 plus, NFC Antenna Development Kit, OM29263ADK

More information

Strategy for Tourism Second edition

Strategy for Tourism Second edition Strategy for Tourism Second edition Strategy for Tourism Second edition John Tribe Goodfellow Publishers Ltd (G) Published by Goodfellow Publishers Limited, Woodeaton, Oxford, OX3 9TJ http://www.goodfellowpublishers.com

More information

AN NHS3xxx Temperature sensor calibration. Document information

AN NHS3xxx Temperature sensor calibration. Document information Rev. 2 12 September 2016 Application note Document information Info Keywords Abstract Content Temperature sensor, calibration This application note describes the user calibration of the temperature sensor.

More information

Professional Python Frameworks Web 2.0 Programming with Django and TurboGears

Professional Python Frameworks Web 2.0 Programming with Django and TurboGears Professional Python Frameworks Web 2.0 Programming with Django and TurboGears Dana Moore Raymond Budd William Wright Wiley Publishing, Inc. Professional Python Frameworks Web 2.0 Programming with Django

More information

In data sheets and application notes which still contain NXP or Philips Semiconductors references, use the references to Nexperia, as shown below.

In data sheets and application notes which still contain NXP or Philips Semiconductors references, use the references to Nexperia, as shown below. Important notice Dear Customer, On 7 February 2017 the former NXP Standard Product business became a new company with the tradename Nexperia. Nexperia is an industry leading supplier of Discrete, Logic

More information

Miniature Spectrometer Technical specifications

Miniature Spectrometer Technical specifications Miniature Spectrometer Technical specifications Ref: MSP-ISI-TEC 001-02 Date: 2017-05-05 Contact Details Correspondence Address: Email: Phone: IS-Instruments Ltd. Pipers Business Centre 220 Vale Road Tonbridge

More information

Internal B-EN Rev A. User Guide. Leaf Aptus.

Internal B-EN Rev A. User Guide. Leaf Aptus. User Guide Internal 731-00399B-EN Rev A Leaf Aptus www.creo.com/leaf Copyright Copyright 2005 Creo Inc. All rights reserved. No copying, distribution, publication, modification, or incorporation of this

More information

COMPOSITE FILAMENT WINDING

COMPOSITE FILAMENT WINDING COMPOSITE FILAMENT WINDING Edited by S.T. Peters ASM International Materials Park, Ohio 44073-0002 Copyright 2011 by ASM International All rights reserved No part of this book may be reproduced, stored

More information

In data sheets and application notes which still contain NXP or Philips Semiconductors references, use the references to Nexperia, as shown below.

In data sheets and application notes which still contain NXP or Philips Semiconductors references, use the references to Nexperia, as shown below. Important notice Dear Customer, On 7 February 2017 the former NXP Standard Product business became a new company with the tradename Nexperia. Nexperia is an industry leading supplier of Discrete, Logic

More information

OM29110 NFC's SBC Interface Boards User Manual. Rev May

OM29110 NFC's SBC Interface Boards User Manual. Rev May Document information Info Content Keywords Abstract OM29110, NFC, Demo kit, Raspberry Pi, BeagleBone, Arduino This document is the user manual of the OM29110 NFC s SBC Interface Boards. Revision history

More information

TN LPC1800, LPC4300, MxMEMMAP, memory map. Document information

TN LPC1800, LPC4300, MxMEMMAP, memory map. Document information Rev. 1 30 November 2012 Technical note Document information Info Keywords Abstract Content LPC1800, LPC4300, MxMEMMAP, memory map This technical note describes available boot addresses for the LPC1800

More information

Arts Management and Cultural Policy Research

Arts Management and Cultural Policy Research Arts Management and Cultural Policy Research This page intentionally left blank Arts Management and Cultural Policy Research Jonathan Paquette University of Ottawa, Canada and Eleonora Redaelli University

More information

UM DALI getting started guide. Document information

UM DALI getting started guide. Document information Rev. 1 6 March 2012 User manual Document information Info Keywords Abstract Content LPC111x, LPC1343, ARM, Cortex M0/M3, DALI, USB, lighting control, USB to DALI interface. This user manual explains how

More information

UM Slim proximity touch sensor demo board OM Document information

UM Slim proximity touch sensor demo board OM Document information Rev. 1 26 April 2013 User manual Document information Info Keywords Abstract Content PCA8886, Touch, Proximity, Sensor User manual for the demo board OM11052 which contains the touch and proximity sensor

More information

R_ Driving LPC1500 with EPSON Crystals. Rev October Document information. Keywords Abstract

R_ Driving LPC1500 with EPSON Crystals. Rev October Document information. Keywords Abstract Rev. 1.0 06 October 2015 Report Document information Info Keywords Abstract Content LPC15xx, RTC, Crystal, Oscillator Characterization results of EPSON crystals with LPC15xx MHz and (RTC) 32.768 khz Oscillator.

More information

UM10950 Start-up Guide for FRDM-KW41Z Evaluation Board Bluetooth Paring example with NTAG I²C plus Rev February

UM10950 Start-up Guide for FRDM-KW41Z Evaluation Board Bluetooth Paring example with NTAG I²C plus Rev February Start-up Guide for FRDM-KW41Z Evaluation Board Bluetooth Paring example with NTAG I²C plus Document information Info Content Keywords NTAG I²C plus, FRDM-KW41Z Abstract This document gives a start-up guide

More information

The Palgrave Gothic Series. Series Editor: Clive Bloom

The Palgrave Gothic Series. Series Editor: Clive Bloom Haunted Seasons The Palgrave Gothic Series Series Editor: Clive Bloom Editorial Advisory Board: Dr Ian Conrich, University of South Australia, Barry Forshaw, author/journalist, UK, Professor Gregg Kucich,

More information

CREATING. Digital Animations. by Derek Breen

CREATING. Digital Animations. by Derek Breen CREATING Digital Animations by Derek Breen ii CREATING DIGITAL ANIMATIONS Published by John Wiley & Sons, Inc. 111 River Street Hoboken, NJ 07030 5774 www.wiley.com Copyright 2016 by John Wiley & Sons,

More information

PTN5100 PCB layout guidelines

PTN5100 PCB layout guidelines Rev. 1 24 September 2015 Application note Document information Info Content Keywords PTN5100, USB PD, Type C, Power Delivery, PD Controller, PD PHY Abstract This document provides a practical guideline

More information

UM DALI getting started guide. Document information

UM DALI getting started guide. Document information Rev. 2 6 March 2013 User manual Document information Info Content Keywords LPC111x, LPC1343, ARM, Cortex M0/M3, DALI, USB, lighting control, USB to DALI interface. Abstract This user manual explains how

More information

The Washington Embassy

The Washington Embassy The Washington Embassy The Washington Embassy British Ambassadors to the United States, 1939 77 Edited by Michael F. Hopkins Lecturer in History, University of Liverpool Saul Kelly Reader in Defence Studies,

More information

AN NFC, PN533, demo board. Application note COMPANY PUBLIC. Rev July Document information

AN NFC, PN533, demo board. Application note COMPANY PUBLIC. Rev July Document information Rev. 2.1 10 July 2018 Document information Info Keywords Abstract Content NFC, PN533, demo board This document describes the. Revision history Rev Date Description 2.1. 20180710 Editorial changes 2.0 20171031

More information

AN12232 QN908x ADC Application Note

AN12232 QN908x ADC Application Note Rev. 0.1 August 2018 Application note Document information Info Content Keywords QN908x, BLE, ADC Abstract This application note describes the ADC usage. Revision history Rev Date Description 0.1 2018/08

More information

International development

International development Oslo 8 th September 2015 Vicky McNiff Head of IP Slide 1 This is Aker Solutions Global provider of products, systems and services to the oil and gas industry Built on more than 170 years of industrial

More information

AN NTAG21xF, Field detection and sleep mode feature. Rev July Application note COMPANY PUBLIC. Document information

AN NTAG21xF, Field detection and sleep mode feature. Rev July Application note COMPANY PUBLIC. Document information Document information Info Content Keywords NTAG, Field detection pin, Sleep mode Abstract It is shown how the field detection pin and its associated sleep mode function can be used on the NTAG21xF-family

More information

Marketing and Designing the Tourist Experience

Marketing and Designing the Tourist Experience Marketing and Designing the Tourist Experience Isabelle Frochot and Wided Batat (G) Goodfellow Publishers Ltd (G) Published by Goodfellow Publishers Limited, Woodeaton, Oxford, OX3 9TJ http://www.goodfellowpublishers.com

More information

PN7120 NFC Controller SBC Kit User Manual

PN7120 NFC Controller SBC Kit User Manual Document information Info Content Keywords OM5577, PN7120, Demo kit, Raspberry Pi, BeagleBone Abstract This document is the user manual of the PN7120 NFC Controller SBC kit Revision history Rev Date Description

More information

Low Voltage Brushed Motor System

Low Voltage Brushed Motor System Low Voltage Brushed Motor System Tests performed: 1. RPM vs Output Voltages 2. Thermal Imaging 3. Output Voltage, Output Current, and Direction Voltage for100% duty Cycle a. Forward Direction b. Reverse

More information

ASSIGNMENT OF COPYRIGHT FORM

ASSIGNMENT OF COPYRIGHT FORM ASSIGNMENT OF COPYRIGHT FORM I undersigned, [Marc Goodwin, Archmospheres / UK / Copyright owner], born the 4 of November 1974 at London, residing at 6 Balchins Lane Westcott UK, acting as the author, copyright

More information

PN7150 Raspberry Pi SBC Kit Quick Start Guide

PN7150 Raspberry Pi SBC Kit Quick Start Guide Document information Info Content Keywords OM5578, PN7150, Raspberry Pi, NFC, P2P, Card Emulation, Linux, Windows IoT Abstract This document gives a description on how to get started with the OM5578 PN7150

More information

AN Replacing HMC625 by NXP BGA7204. Document information

AN Replacing HMC625 by NXP BGA7204. Document information Replacing HMC625 by NXP Rev. 2.0 10 December 2011 Application note Document information Info Keywords Abstract Summary Content, VGA, HMC625, cross reference, drop-in replacement, OM7922/ Customer Evaluation

More information

AN PN7150X Frequently Asked Questions. Application note COMPANY PUBLIC. Rev June Document information

AN PN7150X Frequently Asked Questions. Application note COMPANY PUBLIC. Rev June Document information Document information Info Content Keywords NFC, PN7150X, FAQs Abstract This document intents to provide answers to frequently asked questions about PN7150X NFC Controller. Revision history Rev Date Description

More information

Gothic Science Fiction

Gothic Science Fiction Gothic Science Fiction ThePalgraveGothicSeries Series Editor: Clive Bloom Editorial Advisory Board: Dr Ian Conrich, University of South Australia, Barry Forshaw, author/journalist, UK, Professor Gregg

More information

Drawer Unit Assembly. Wenger Corporation 2006 Printed in USA 12/06 Part #121B115-01

Drawer Unit Assembly. Wenger Corporation 2006 Printed in USA 12/06 Part #121B115-01 Assembly Instructions Rehearsal Resource Center Folio Box Option Model 121 Drawer Unit Assembly CONTENTS Warranty.......................................... 3 Important User Information............................

More information

OLH7000: Hermetic Linear Optocoupler

OLH7000: Hermetic Linear Optocoupler DATA SHEET OLH7000: Hermetic Linear Optocoupler Features High reliability and rugged hermetic construction Couples AC and DC signals 1000 VDC electrical isolation Matched photodiodes Excellent linearity

More information

In data sheets and application notes which still contain NXP or Philips Semiconductors references, use the references to Nexperia, as shown below.

In data sheets and application notes which still contain NXP or Philips Semiconductors references, use the references to Nexperia, as shown below. Important notice Dear Customer, On 7 February 2017 the former NXP Standard Product business became a new company with the tradename Nexperia. Nexperia is an industry leading supplier of Discrete, Logic

More information

Agilent N2902A 9000 Series Oscilloscope Rack Mount Kit

Agilent N2902A 9000 Series Oscilloscope Rack Mount Kit Agilent N2902A 9000 Series Oscilloscope Rack Mount Kit Installation Guide Agilent Technologies Notices Agilent Technologies, Inc. 2009 No part of this manual may be reproduced in any form or by any means

More information

AN11994 QN908x BLE Antenna Design Guide

AN11994 QN908x BLE Antenna Design Guide Rev 1.0 June 2017 Application note Info Keywords Abstract Content Document information QN9080, QN9083, BLE, USB dongle, PCB layout, MIFA, chip antenna, antenna simulation, gain pattern. This application

More information

Pro Digital ebooks. Making the. Paint Bucket Work! Les Meehan

Pro Digital ebooks. Making the. Paint Bucket Work! Les Meehan Pro Digital ebooks Making the Paint Bucket Work! Les Meehan Published by Pro Digital ebooks, this edition 2008. Copyright Les Meehan 2008 The Author asserts the moral right to be identified as the author

More information

Jasmine Memory Calculations MB87P2020-A

Jasmine Memory Calculations MB87P2020-A Application Note Jasmine Memory Calculations MB87P2020-A Fujitsu Microelectronics Europe GmbH History Date Author Version Comment 17/10/03 MMu V1.0 First version 1 Warranty and Disclaimer To the maximum

More information

Testing Safety-Related Software

Testing Safety-Related Software Testing Safety-Related Software Springer London Berlin Heidelberg New York Barcelona Hong Kong Milan Paris Santa Clara Singapore Tokyo Stewart Gardiner (Ed.) Testing Safety-Related Software A Practical

More information

Four planar PIN diode array in SOT363 small SMD plastic package.

Four planar PIN diode array in SOT363 small SMD plastic package. Rev. 4 7 March 2014 Product data sheet 1. Product profile 1.1 General description Four planar PIN diode array in SOT363 small SMD plastic package. 1.2 Features and benefits High voltage current controlled

More information

HIGH INTEGRITY DIE CASTING PROCESSES

HIGH INTEGRITY DIE CASTING PROCESSES HIGH INTEGRITY DIE CASTING PROCESSES EDWARD J. VINARCIK JOHN WILEY & SONS, INC. HIGH INTEGRITY DIE CASTING PROCESSES HIGH INTEGRITY DIE CASTING PROCESSES EDWARD J. VINARCIK JOHN WILEY & SONS, INC. This

More information

BAP Product profile. 2. Pinning information. 3. Ordering information. Silicon PIN diode. 1.1 General description. 1.2 Features and benefits

BAP Product profile. 2. Pinning information. 3. Ordering information. Silicon PIN diode. 1.1 General description. 1.2 Features and benefits Rev. 5 28 April 2015 Product data sheet 1. Product profile 1.1 General description Two planar PIN diodes in common cathode configuration in a SOT23 small plastic SMD package. 1.2 Features and benefits

More information

Administration Guide. BBM Enterprise. Version 1.3

Administration Guide. BBM Enterprise. Version 1.3 Administration Guide BBM Enterprise Version 1.3 Published: 2018-03-27 SWD-20180323113531380 Contents What's new in BBM Enterprise... 5 Signing in to the Enterprise Identity administrator console for the

More information

Quality Management and Managerialism in Healthcare

Quality Management and Managerialism in Healthcare Quality Management and Managerialism in Healthcare This page intentionally left blank Quality Management and Managerialism in Healthcare A Critical Historical Survey Sara Melo Queen s University Belfast,

More information

Also by Craig Batty Media Writing: A Practical Introduction (with S. Cain, 2010)

Also by Craig Batty Media Writing: A Practical Introduction (with S. Cain, 2010) Movies That Move Us Also by Craig Batty Media Writing: A Practical Introduction (with S. Cain, 2010) Writing for the Screen: Creative and Critical Approaches (with Z. Waldeback, 2008) Movies That Move

More information

Bosch Smart Home. Door/Window Contact Instruction Manual

Bosch Smart Home. Door/Window Contact Instruction Manual Bosch Smart Home Door/Window Contact Instruction Manual Start making your home smart! Please be sure to install the Bosch Smart Home Controller first. Please ensure that you have a Bosch Smart Home Controller

More information

AN12082 Capacitive Touch Sensor Design

AN12082 Capacitive Touch Sensor Design Rev. 1.0 31 October 2017 Application note Document information Info Keywords Abstract Content LPC845, Cap Touch This application note describes how to design the Capacitive Touch Sensor for the LPC845

More information

B (bottom) Package type descriptive code. VFBGA176 Package style descriptive code

B (bottom) Package type descriptive code. VFBGA176 Package style descriptive code VFBGA176, plastic, very thin fine-pitch ball grid array; 176 balls; 0.5 mm pitch; 9 mm x 9 mm x 0.86 mm 30 July 2018 Package information 1 Package summary Terminal position code B (bottom) Package type

More information

OLS910: Hermetic Surface Mount Photovoltaic Optocoupler

OLS910: Hermetic Surface Mount Photovoltaic Optocoupler DATA SHEET OLS91: Hermetic Surface Mount Photovoltaic Optocoupler Features Performance guaranteed over 55 C to +125 C ambient temperature range 15 DC electrical isolation High open circuit voltage High

More information

Virtex-5 FPGA RocketIO GTX Transceiver IBIS-AMI Signal Integrity Simulation Kit User Guide

Virtex-5 FPGA RocketIO GTX Transceiver IBIS-AMI Signal Integrity Simulation Kit User Guide Virtex-5 FPGA RocketIO GTX Transceiver IBIS-AMI Signal Integrity Simulation Kit User Guide for SiSoft Quantum Channel Designer Notice of Disclaimer The information disclosed to you hereunder (the Materials

More information

The New Strategic Landscape

The New Strategic Landscape The New Strategic Landscape This page intentionally left blank The New Strategic Landscape Innovative Perspectives on Strategy Julie Verity Julie Verity 2012 All remaining chapters respective authors Softcover

More information

STP-NU ROADMAP TO DEVELOP ASME CODE RULES FOR THE CONSTRUCTION OF HIGH TEMPERATURE GAS COOLED REACTORS (HTGRS)

STP-NU ROADMAP TO DEVELOP ASME CODE RULES FOR THE CONSTRUCTION OF HIGH TEMPERATURE GAS COOLED REACTORS (HTGRS) ROADMAP TO DEVELOP ASME CODE RULES FOR THE CONSTRUCTION OF HIGH TEMPERATURE GAS COOLED REACTORS (HTGRS) ROADMAP TO DEVELOP ASME CODE RULES FOR THE CONSTRUCTION OF HIGH TEMPERATURE GAS- COOLED REACTORS

More information

The American Civil War and the Hollywood War Film

The American Civil War and the Hollywood War Film The American Civil War and the Hollywood War Film The American Civil War and the Hollywood War Film John Trafton the american civil war and the hollywood war film Selection and editorial content John

More information

Signature Choral Riser Side Rail

Signature Choral Riser Side Rail Assembly/Owner s Manual Signature Choral Riser Side Rail Signature Choral 3-Step Riser with Optional Side Rail Signature Choral 4-Step Riser with Optional Side Rail CONTENTS Visit the Signature Choral

More information

SMV LF and SMV LF: Surface Mount, 0402 Hyperabrupt Tuning Varactor Diodes

SMV LF and SMV LF: Surface Mount, 0402 Hyperabrupt Tuning Varactor Diodes DATA SHEET SMV1247-040LF and SMV1249-040LF: Surface Mount, 0402 Hyperabrupt Tuning Varactor Diodes Applications Wide bandwidth VCOs Wide voltage range, tuned phase shifters and filters Features High capacitance

More information

Two elements in series configuration in a small SMD plastic package Low diode capacitance Low diode forward resistance AEC-Q101 qualified

Two elements in series configuration in a small SMD plastic package Low diode capacitance Low diode forward resistance AEC-Q101 qualified Rev. 2 25 October 2016 Product data sheet 1. Product profile 1.1 General description Two planar PIN diodes in series configuration in a SOT323 small SMD plastic package. 1.2 Features and benefits Two elements

More information

PN7120 NFC Controller SBC Kit User Manual

PN7120 NFC Controller SBC Kit User Manual Document information Info Content Keywords OM5577, PN7120, Demo kit, Raspberry Pi, BeagleBone Abstract This document is the user manual of the PN7120 NFC Controller SBC kit. Revision history Rev Date Description

More information

SKY LF: GaAs SP2T Switch for Ultra Wideband (UWB) 3 8 GHz

SKY LF: GaAs SP2T Switch for Ultra Wideband (UWB) 3 8 GHz DATA SHEET SKY1398-36LF: GaAs SPT Switch for Ultra Wideband (UWB) 3 8 GHz Features Positive voltage control (/1.8 V to /3.3 V) High isolation 5 for BG1, 5 for BG3 Low loss.7 typical for BG1,.9 for BG3

More information

Broadband LDMOS driver transistor. A 5 W LDMOS power transistor for broadcast and industrial applications in the HF to 2500 MHz band.

Broadband LDMOS driver transistor. A 5 W LDMOS power transistor for broadcast and industrial applications in the HF to 2500 MHz band. Rev. 1 15 August 2013 Product data sheet 1. Product profile 1.1 General description A 5 W LDMOS power transistor for broadcast and industrial applications in the HF to 2500 MHz band. Table 1. Application

More information

Camera Setup and Field Recommendations

Camera Setup and Field Recommendations Camera Setup and Field Recommendations Disclaimers and Legal Information Copyright 2011 Aimetis Inc. All rights reserved. This guide is for informational purposes only. AIMETIS MAKES NO WARRANTIES, EXPRESS,

More information

Francis Fukuyama s The End of History and the Last Man

Francis Fukuyama s The End of History and the Last Man An Analysis of Francis Fukuyama s The End of History and the Last Man Ian Jackson with Jason Xidias Copyright 2017 by Macat International Ltd 24:13 Coda Centre, 189 Munster Road, London SW6 6AW. Macat

More information

Wedding Photography Contract

Wedding Photography Contract Wedding Photography Contract THE WEDDING Name: nita bread photography Phone: 02 6768 3311 FAX: 02 6768 3300 Mobile: 0421 386 004 ABN: 33 471 152 457 Address: Suite 16 The Atrium Business Centre 345 Peel

More information

DEMO MANUAL DC2349A LTC5586 6GHz High Linearity I/Q Demodulator with Wideband IF Amplifier DESCRIPTION BOARD PHOTO

DEMO MANUAL DC2349A LTC5586 6GHz High Linearity I/Q Demodulator with Wideband IF Amplifier DESCRIPTION BOARD PHOTO DESCRIPTION Demonstration circuit 2349A showcases the LTC 5586 wideband high linearity IQ demodulator with IF amplifier. The Linear Technology USB serial controller, DC590B, is required to control and

More information

SMS : 0201 Surface Mount Low Barrier Silicon Schottky Diode Anti-Parallel Pair

SMS : 0201 Surface Mount Low Barrier Silicon Schottky Diode Anti-Parallel Pair PRELIMINARY DATA SHEET SMS7621-092: 0201 Surface Mount Low Barrier Silicon Schottky Diode Anti-Parallel Pair Applications Sub-harmonic mixer circuits Frequency multiplication Features Low barrier height

More information

The BioBrick Public Agreement. DRAFT Version 1a. January For public distribution and comment

The BioBrick Public Agreement. DRAFT Version 1a. January For public distribution and comment The BioBrick Public Agreement DRAFT Version 1a January 2010 For public distribution and comment Please send any comments or feedback to Drew Endy & David Grewal c/o endy@biobricks.org grewal@biobricks.org

More information

Single Phase Rectifier Bridge, 2 A

Single Phase Rectifier Bridge, 2 A Single Phase Rectifier Bridge, 2 A 2KBP Series FEATURES Suitable for printed circuit board mounting Compact construction RoHS COMPLIANT D-44 PRODUCT SUMMARY I O V RRM 2 A 50 to 1000 V High surge current

More information

Virtex-5 FPGA RocketIO GTP Transceiver IBIS-AMI Signal Integrity Simulation Kit User Guide

Virtex-5 FPGA RocketIO GTP Transceiver IBIS-AMI Signal Integrity Simulation Kit User Guide Virtex-5 FPGA RocketIO GTP Transceiver IBIS-AMI Signal Integrity Simulation Kit User Guide for SiSoft Quantum Channel Designer Notice of Disclaimer The information disclosed to you hereunder (the Materials

More information