Monitor Your Home With the Raspberry Pi B+

Size: px
Start display at page:

Download "Monitor Your Home With the Raspberry Pi B+"

Transcription

1 Monitor Your Home With the Raspberry Pi B+ Created by Marc-Olivier Schwartz Last updated on :30:13 PM EST

2 Guide Contents Guide Contents Introduction Hardware & Software Requirements Hardware Configuration Testing the Sensor & the Camera Monitoring Your Home via WiFi Access Your Pi From Anywhere How to Go Further Page 2 of 17

3 Introduction There are lots of devices on the market that allow you to monitor your home from a central interface. In this article, we are going to make our own DIY version of such devices. To do so, we will use the latest Raspberry Pi board, the B+ model, and the official Raspberry Pi camera module ( We will also perform some measurements from a temperature and humidity sensor. At the end of the article, you will be able to build an interface to access the camera and the sensor recordings from a single page. We will also see how to acess this interface from anywhere in the world. Let s dive in! Page 3 of 17

4 Hardware & Software Requirements The first thing that you will need for this project is a Raspberry Pi B+. I used a B+ model as it is the latest version available to date. It also has nice features (like 4 USB ports), but of course, you can also use an older version. You will need the official Raspberry Pi camera module to capture pictures. You will use a DHT11 (or DHT22) sensor to measure the temperature and humidity in your home. Since we will access the Rapsberry Pi remotely, you will need a simple USB WiFi dongle. You also need to secure an Adafruit cobbler kit, a breadboard, and some jumper wires. You will need these to make the connections between the Raspberry Pi, the camera and the sensor. Below is the list of the required components for this project: Raspberry Pi B+ (along with a microsd card, a microusb cable, and an HDMI cable) Raspberry Pi camera module DHT11 sensor with 4.7k Ohm resistor USB WiFi dongle Adafruit Cobbler Kit Jumper wires Breadboard Check if you already have a Linux Distribution installed on your Raspberry Pi. This is to ensure that you have a completely functional Pi. I used Raspbian for this project. If this is not done yet, you can find an excellent guide on this address: ( Connect the Raspberry Pi to your local WiFi network and install a driver for the BCM2835 chip to read the data from the DHT11 sensor. You can download & install these drivers by following the instructions on this page: ( The whole project is based on Node.js. It will act as a server from which we can access all the functions of our Raspberry Pi. If it is not done yet, you will have to install Node.js on your Pi. Be wary. You just can t use apt-get to install the node package module since you might be installing an older version. To install the latest Page 4 of 17

5 version of Node.js, follow this guide: ( You will also need to install drivers for the BCM2835 chip. You can download & install these drivers by visiting this page: ( After this, download the files for this project on GitHub: ( To access the Raspberry Pi on your local WiFi network via rapsberrypi.local, we need to install some packages. We do this so that we wouldn t need to access the Pi via its IP address anymore. For the rest of the article, you can either log into your Raspberry Pi via SSH or go directly to your Pi and type the following commands: sudo apt install avahi-daemon netatalk Page 5 of 17

6 Hardware Configuration If you have followed the instructions above, it would be easier to proceed with the assembly of your Pi. Let s now add the other components. First, we will connect the camera. Follow the instructions on the Raspberry Pi website for an easy install Go to the official instructions ( Below is a picture of the camera I used. Next to it is my Raspberry Pi: Note that I have used a plastic case for my Raspberry Pi. It is not required for this project though. Moving forward, we will connect the DHT11 sensor to the Raspberry Pi via the Cobbler kit. After you have assembled your kit, connect it to the Raspberry Pi GPIO connector. Connect the other side of the cable to the breadboard via the PCB adapter. For the DHT11 sensor, look first for the pinout of the sensor: Page 6 of 17

7 Connect the VCC pin to the Raspberry Pi 3.3V pin, GND to GND, and DATA to pin number 4 on the GPIO connector. Finally, connect the 4.7K Ohm resistor between the VCC and DATA pins. The picture below shows the final result for the sensor: Page 7 of 17

8 Page 8 of 17

9 Testing the Sensor & the Camera We are now going to test the sensor first, and then the camera. Because we want to build an application based on Node.JS, we will use the Node to interface with the DHT11 sensor. To do so, we will use a specialized Node module that already exists. You will find everything under a folder called sensors_test inside the code of the project. Below is the complete code for this part: var sensorlib = require('node-dht-sensor'); var dht_sensor = { initialize: function () { return sensorlib.initialize(11, 4); }, read: function () { var readout = sensorlib.read(); console.log('temperature: ' + readout.temperature.tofixed(2) + 'C, ' + 'humidity: ' + readout.humidity.tofixed(2) + '%'); settimeout(function () { dht_sensor.read(); }, 2000); } }; if (dht_sensor.initialize()) { dht_sensor.read(); } else { console.warn('failed to initialize sensor'); } The code starts by importing the required module for the DHT sensor. Then, every 2000 ms, we read data from the sensor, and display it inside the terminal using console.log(). The code for this part is available in the GitHub repository of the project: ( It s now time to test the code. After downloading the code from GitHub, go to the sensors_test folder, and type: sudo npm install node-dht-sensor This might take a while, so be patient. After it loads, type: Page 9 of 17

10 sudo node sensors_test.js You should see the values of the temperature and humidity printed in the terminal: Temperature: 21.00C, humidity: 35.00% The camera is much easier to test. Simply go to a terminal window and type: raspistill -o cam.jpg You can then go to the folder where you executed this command. You should be able to see that a picture was created as cam.jpg. Page 10 of 17

11 Monitoring Your Home via WiFi We are now going to write an application based on Node.js to remotely track the measurements from the sensor and the camera. There are basically three main parts in the code: (1) the server code in Javascript, (2) the HTML page which will contain the interface, and (3) a client-side Javascript file which will link the two. Let s look at the server-side Javascript code first. It starts by including the required Node modules: (1) the node-dht-sensor module to handle the DHT sensor as before and (2) Express to handle HTTP communications like a web server. Below is the code: var sensorlib = require('node-dht-sensor'); var express = require('express'); var app = express(); We also include the views and public directory. The views directory is where we will store the interface, while the public directory is where we will put both the Javascript code and the recorded pictures: app.set('views', dirname + '/views') app.set('view engine', 'jade') app.use(express.static( dirname + '/public')) We will create a route for the interface, which will allow us to access the our project: app.get('/interface', function(req, res){ }); res.render('interface'); We will include the Raspberry Pi version of the arest API ( ( for us to control the Raspberry Pi via HTTP: var pirest = require('pi-arest')(app); We also give an ID and a name to your Pi: pirest.set_id('1'); pirest.set_name('my_rpi'); Page 11 of 17

12 Finally, we call the app.listen() function to start our application: var server = app.listen(3000, function() { }); console.log('listening on port %d', server.address().port); The interface itself is written in Jade ( ( This will give us an HTML file as a result. The file is stored in the view directory inside the application. We add some title, some containers for the sensor measurements, and a field for the picture which will be recorded by the camera: doctype html head title Raspberry Pi Interface script(src="/js/jquery min.js") script(src="/js/interface.js") link(rel='stylesheet', href='/css/style.css') body header div.maincontainer h1 Raspberry Pi Interface h2 Sensor Readings p Temperature: span#temperature 0 span C p Humidity: span#humidity 0 span % h2 Camera img#camera(src='') As you can see on the code, we will include a Javascript file and a jquery inside the Jade template. The script file will call the Raspberry Pi arest API every 2000 ms to refresh the measurements of the DHT11 sensor: Page 12 of 17

13 setinterval(function() { // Update temperature $.get("/temperature", function(data) { $("#temperature").html(data.temperature); }); // Update humidity $.get("/humidity", function(data) { $("#humidity").html(data.humidity); }); }, 2000); And every 10 seconds, the camera will take a picture: setinterval(function() { // Take picture $.get("/camera/snapshot"); }, 10000); This picture inside the interface will refresh every second: setinterval(function() { // Reload picture d = new Date(); $("#camera").attr("src","pictures/image.jpg?" + d.gettime()); }, 1000); It is now time to test the interface. Go to the pi_node folder and type: sudo npm install node-dht-sensor express pi-arest Wait a bit; it can take a while. Then, type: sudo node pi_node.js Page 13 of 17

14 Finally, go to your favorite web browser and type: On your Pi, you can just type: You should see the interface of the project displaying the following: Be patient in waiting for the measurements and the picture to appear on the display. Remember, Page 14 of 17

15 there is a 2-second delay for the sensor measurements and a 10-second delay for the picture. Also, note that the Node.js module for the camera module ( is not perfect. In my system, I had a delay between the moment the picture was taken and the moment it appeared on the display. Congratulations, you can now remotely access measurements from your Raspberry Pi and the camera! Page 15 of 17

16 Access Your Pi From Anywhere For now, we saw how to access this interface from your computer or your phone, from anywhere in your home. Which is already nice, but it would be even better if you knew how to access this project from anywhere in the world. Wouldn t it be cool to just access your home automation projects from wherever you are in the world, to check for example the picture recorded by the camere module? This is actually quite simple, and I will show you how. We will use a simple tool called Ngrok to do so. This tool will basically make a tunnel between your Raspberry Pi & a remote server, so you can access your interface from anywhere. The first step is to download Ngrok: ( Then, put the files in a folder, and access this folder via a terminal on your Raspberry Pi. Then, type:./ngrok 3000 This will open the connection between the Raspberry Pi and the Ngrok server, as shown in the confirmation messages: You can now try it out and type the URL that is given to you in your browser. You should see the same interface as before, meaning you can control your system from anywhere in the world! One last word: be careful with this. Right now anyone can access this interface with the right URL, and now it is just connected to a relay that is actually not connected to anything, but don t do this if your whole alarm system is connected to the Raspberry Pi! In this case, you better put a solid login/password system on your server so that only you can access it. Page 16 of 17

17 How to Go Further We built a Node.js-based application to automatically access the measurements coming from sensors. We also used a Node.js module to access the camera module of the Raspberry Pi. Finally, we displayed everything on a nice web interface. We also saw how to access our project from anywhere in the world using Ngrok. You can go further with this project by including more sensors to the project. For example, you can add light level sensors and motion sensors. It is then quite easy to display the state of these sensors in the Node.js application. Adafruit Industries Last Updated: :30:15 PM EST Page 17 of 17

Wireless Security Camera with the Arduino Yun

Wireless Security Camera with the Arduino Yun Wireless Security Camera with the Arduino Yun Created by Marc-Olivier Schwartz Last updated on 2014-08-13 08:30:11 AM EDT Guide Contents Guide Contents Introduction Connections Setting up your Temboo &

More information

A REST API for Arduino & the CC3000 WiFi Chip

A REST API for Arduino & the CC3000 WiFi Chip A REST API for Arduino & the CC3000 WiFi Chip Created by Marc-Olivier Schwartz Last updated on 2014-04-22 03:01:12 PM EDT Guide Contents Guide Contents Overview Hardware configuration Installing the library

More information

Adafruit's Raspberry Pi Lesson 5. Using a Console Cable

Adafruit's Raspberry Pi Lesson 5. Using a Console Cable Adafruit's Raspberry Pi Lesson 5. Using a Console Cable Created by Simon Monk Last updated on 2014-09-15 12:00:13 PM EDT Guide Contents Guide Contents Overview You Will Need Part Software Installation

More information

Embedded Based Web Server for CMS and Automation System

Embedded Based Web Server for CMS and Automation System Embedded Based Web Server for CMS and Automation System ISSN: 2278 909X All Rights Reserved 2014 IJARECE 1073 ABSTRACT This research deals with designing a Embedded Based Web Server for CMS and Automation

More information

Adafruit's Raspberry Pi Lesson 1. Preparing an SD Card for your Raspberry Pi

Adafruit's Raspberry Pi Lesson 1. Preparing an SD Card for your Raspberry Pi Adafruit's Raspberry Pi Lesson 1. Preparing an SD Card for your Raspberry Pi Created by Simon Monk Last updated on 2015-11-25 11:50:13 PM EST Guide Contents Guide Contents Overview You Will Need Downloading

More information

ICON UK 2015 node.js for Domino developers. Presenter: Matt White Company: LDC Via

ICON UK 2015 node.js for Domino developers. Presenter: Matt White Company: LDC Via ICON UK 2015 node.js for Domino developers Presenter: Matt White Company: LDC Via September 2012 Agenda What is node.js? Why am I interested? Getting started NPM Express Domino Integration Deployment A

More information

AdRadionet to IBM Bluemix Connectivity Quickstart User Guide

AdRadionet to IBM Bluemix Connectivity Quickstart User Guide AdRadionet to IBM Bluemix Connectivity Quickstart User Guide Platform: EV-ADRN-WSN-1Z Evaluation Kit, AdRadionet-to-IBM-Bluemix-Connectivity January 20, 2015 Table of Contents Introduction... 3 Things

More information

WebIOPi. Installation Walk-through Macros

WebIOPi. Installation Walk-through Macros WebIOPi Installation Walk-through Macros Installation Install WebIOPi on your Raspberry Pi Download the tar archive file: wget www.cs.unca.edu/~bruce/fall14/webiopi-0.7.0.tar.gz Uncompress: tar xvfz WebIOPi-0.7.0.tar.gz

More information

Internet of Things with the Arduino Yún

Internet of Things with the Arduino Yún Internet of Things with the Arduino Yún Marco Schwartz Chapter No. 1 "Building a Weather Station Connected to the Cloud" In this package, you will find: A Biography of the author of the book A preview

More information

Beginning Web Development with Node.js

Beginning Web Development with Node.js Beginning Web Development with Node.js Andrew Patzer This book is for sale at http://leanpub.com/webdevelopmentwithnodejs This version was published on 2013-10-18 This is a Leanpub book. Leanpub empowers

More information

Adafruit's Raspberry Pi Lesson 5. Using a Console Cable. Created by Simon Monk

Adafruit's Raspberry Pi Lesson 5. Using a Console Cable. Created by Simon Monk Adafruit's Raspberry Pi Lesson 5. Using a Console Cable Created by Simon Monk Guide Contents Guide Contents Overview You Will Need Part Software Installation (Mac) Software Installation (Windows) Connect

More information

Adafruit's Raspberry Pi Lesson 5. Using a Console Cable

Adafruit's Raspberry Pi Lesson 5. Using a Console Cable Adafruit's Raspberry Pi Lesson 5. Using a Console Cable Created by Simon Monk Last updated on 2016-04-12 08:03:49 PM EDT Guide Contents Guide Contents Overview You Will Need Part Software Installation

More information

Setting up a Raspberry Pi as a WiFi access point

Setting up a Raspberry Pi as a WiFi access point Setting up a Raspberry Pi as a WiFi access point Created by lady ada Last updated on 2015-03-10 04:30:11 PM EDT Guide Contents Guide Contents Overview What you'll need Preparation Check Ethernet & Wifi

More information

Standalone Attendance Monitoring and Projector System

Standalone Attendance Monitoring and Projector System International Journal of Computer Sciences and Engineering Open Access Technical Paper Volume-4, Special Issue-2, April 2016 E-ISSN: 2347-2693 Standalone Attendance Monitoring and Projector System Mohit

More information

Adafruit's Raspberry Pi Lesson 7. Remote Control with VNC

Adafruit's Raspberry Pi Lesson 7. Remote Control with VNC Adafruit's Raspberry Pi Lesson 7. Remote Control with VNC Created by Simon Monk Last updated on 2013-06-17 07:15:23 PM EDT Guide Contents Guide Contents Overview Installing VNC Using a VNC Client Built

More information

PiFace Control & Display

PiFace Control & Display PiFace Control & Display A Plug and Play Device to control Raspberry Pi Exclusively From Quick Start Guide Version 1.0 Dated: 30 th Oct 2013 Table Of Contents Page No 1. Overview 2 2. Fitting the PiFace

More information

Raspberry Pi Adding a Real Time Clock (RTC)

Raspberry Pi Adding a Real Time Clock (RTC) Raspberry Pi Adding a Real Time Clock (RTC) Level of difficulty: Beginner Hardware: Raspberry Pi Model B, RTC Module, wires, optional connectors Tools required: Wire cutters, soldering iron Project cost:

More information

Adafruit's Raspberry Pi Lesson 6. Using SSH

Adafruit's Raspberry Pi Lesson 6. Using SSH Adafruit's Raspberry Pi Lesson 6. Using SSH Created by Simon Monk Last updated on 2015-04-09 03:47:50 PM EDT Guide Contents Guide Contents Overview Enabling SSH Using SSH on a Mac or Linux SSH under Windows

More information

Intro to Intel Galileo - IoT Apps GERARDO CARMONA

Intro to Intel Galileo - IoT Apps GERARDO CARMONA Intro to Intel Galileo - IoT Apps GERARDO CARMONA IRVING LLAMAS Welcome! Campus Party Guadalajara 2015 Introduction In this course we will focus on how to get started with the Intel Galileo Gen 2 development

More information

Programming IoT Gateways With macchina.io

Programming IoT Gateways With macchina.io Programming IoT Gateways With macchina.io Günter Obiltschnig Applied Informatics Software Engineering GmbH Maria Elend 143 9182 Maria Elend Austria guenter.obiltschnig@appinf.com This article shows how

More information

Universal Mobile Print Server On the Cheap, and Cloud-free. What You Will Need. Configuring your Pi as a Print Server

Universal Mobile Print Server On the Cheap, and Cloud-free. What You Will Need. Configuring your Pi as a Print Server Universal Mobile Print Server On the Cheap, and Cloud-free. If you re like me, your house is full of mobile devices: my kids have ipads, my wife and I have Android tablets and phones. We all need to print

More information

Playing sounds and using buttons with Raspberry Pi

Playing sounds and using buttons with Raspberry Pi Playing sounds and using buttons with Raspberry Pi Created by Mikey Sklar Last updated on 2015-04-15 01:30:08 PM EDT Guide Contents Guide Contents Overview Install Audio Install Python Module RPi.GPIO

More information

Setting up IO Python Library on BeagleBone Black

Setting up IO Python Library on BeagleBone Black Setting up IO Python Library on BeagleBone Black Created by Justin Cooper Last updated on 2015-01-16 11:15:19 AM EST Guide Contents Guide Contents Overview Installation on Angstrom Commands to setup and

More information

Motion Detecting Camera Security System with Email Notifications and Live Streaming Using Raspberry Pi

Motion Detecting Camera Security System with Email Notifications and Live Streaming Using Raspberry Pi Motion Detecting Camera Security System with Email Notifications and Live Streaming Using Raspberry Pi Sundas Zafar Computer Engineering Technology New York City College of Technology, CUNY 186 Jay Street,

More information

Arduino Home Automation Projects

Arduino Home Automation Projects Arduino Home Automation Projects Marco Schwartz Chapter No.1 "Building Wireless XBee Motion Detectors" In this package, you will find: The author s biography A preview chapter from the book, Chapter no.1

More information

Laboration 3 - Administration

Laboration 3 - Administration Laboration 3 - Administration During this laboration we will learn how to install, configure and test servers that will allow you to have access remote machines, copy files between computers and file sharing.

More information

UPS PIco. to be used with. Raspberry Pi B+, A+, B, and A. HAT Compliant. Raspberry Pi is a trademark of the Raspberry Pi Foundation

UPS PIco. to be used with. Raspberry Pi B+, A+, B, and A. HAT Compliant. Raspberry Pi is a trademark of the Raspberry Pi Foundation UPS PIco Uninterruptible Power Supply with Peripherals and I 2 C control Interface to be used with Raspberry Pi B+, A+, B, and A HAT Compliant Raspberry Pi is a trademark of the Raspberry Pi Foundation

More information

SSH to BeagleBone Black over USB

SSH to BeagleBone Black over USB SSH to BeagleBone Black over USB Created by Simon Monk Last updated on 2015-06-01 12:50:09 PM EDT Guide Contents Guide Contents Overview You Will Need Preparation Installing Drivers (Windows) Installing

More information

Chapter 1 Hardware and Software Introductions of pcduino

Chapter 1 Hardware and Software Introductions of pcduino Chapter 1 Hardware and Software Introductions of pcduino pcduino is a high performance, cost effective mini PC platform that runs PC like OS such as Ubuntu Linux. It outputs its screen to HDMI enabled

More information

ALL-USB-RS422/485. User Manual. USB to Serial Converter RS422/485. ALLNET GmbH Computersysteme 2015 - Alle Rechte vorbehalten

ALL-USB-RS422/485. User Manual. USB to Serial Converter RS422/485. ALLNET GmbH Computersysteme 2015 - Alle Rechte vorbehalten ALL-USB-RS422/485 USB to Serial Converter RS422/485 User Manual ALL-USB-RS422/485 USB to RS-422/485 Plugin Adapter This mini ALL-USB-RS422/485 is a surge and static protected USB to RS-422/485 Plugin Adapter.

More information

secucam User Manual Version 1.1.x 2015-2015 Darhon Software

secucam User Manual Version 1.1.x 2015-2015 Darhon Software secucam User Manual Version 1.1.x 2015-2015 Darhon Software Table of Contents Introduction...3 Building blocks and terminology...4 Setting up the security camera...4 Prepare your Raspberry Pi...4 Install

More information

Arduino Lesson 0. Getting Started

Arduino Lesson 0. Getting Started Arduino Lesson 0. Getting Started Created by Simon Monk Last updated on 204-05-22 2:5:0 PM EDT Guide Contents Guide Contents Overview Parts Part Qty Breadboard Installing Arduino (Windows) Installing Arduino

More information

5inch HDMI LCD User Manual

5inch HDMI LCD User Manual 5inch HDMI LCD User Manual Features 800 480 high resolution Directly-pluggable into any revision of Raspberry Pi (only except the first generation Pi model B which requires an HDMI cable) Driver is provided

More information

7inch HDMI LCD (B) User Manual

7inch HDMI LCD (B) User Manual 7inch HDMI LCD (B) User Manual Description 7 inch Capacitive Touch Screen LCD, HDMI interface, supports various systems. Features 800 480 high resolution, touch control Supports Raspberry Pi, and driver

More information

Wireless Communication With Arduino

Wireless Communication With Arduino Wireless Communication With Arduino Using the RN-XV to communicate over WiFi Seth Hardy shardy@asymptotic.ca Last Updated: Nov 2012 Overview Radio: Roving Networks RN-XV XBee replacement : fits in the

More information

www.dragino.com Yun Shield Quick Start Guide VERSION: 1.0 Version Description Date 1.0 Release 2014-Jul-08 Yun Shield Quick Start Guide 1 / 14

www.dragino.com Yun Shield Quick Start Guide VERSION: 1.0 Version Description Date 1.0 Release 2014-Jul-08 Yun Shield Quick Start Guide 1 / 14 Yun Shield Quick Start Guide VERSION: 1.0 Version Description Date 1.0 Release 2014-Jul-08 Yun Shield Quick Start Guide 1 / 14 Index: 1 Introduction... 3 1.1 About this quick start guide... 3 1.2 What

More information

Adding a Real Time Clock to Raspberry Pi

Adding a Real Time Clock to Raspberry Pi Adding a Real Time Clock to Raspberry Pi Created by lady ada Last updated on 2016-04-29 11:45:10 PM EDT Guide Contents Guide Contents Overview Wiring the RTC Set up I2C on your Pi Verify Wiring (I2C scan)

More information

Adafruit BME280 Humidity + Barometric Pressure + Temperature Sensor Breakout

Adafruit BME280 Humidity + Barometric Pressure + Temperature Sensor Breakout Adafruit BME280 Humidity + Barometric Pressure + Temperature Sensor Breakout Created by lady ada Last updated on 2016-04-26 12:01:06 PM EDT Guide Contents Guide Contents Overview Pinouts Power Pins: SPI

More information

Raspberry Pi Android Projects. Raspberry Pi Android Projects. Gökhan Kurt. Create exciting projects by connecting Raspberry Pi to your Android phone

Raspberry Pi Android Projects. Raspberry Pi Android Projects. Gökhan Kurt. Create exciting projects by connecting Raspberry Pi to your Android phone Fr ee Raspberry Pi is a credit card-sized, general-purpose computer, which has revolutionized portable technology. Android is an operating system that is widely used in mobile phones today. However, there

More information

Waspmote. Quickstart Guide

Waspmote. Quickstart Guide Waspmote Quickstart Guide Index Document version: v4.3-11/2014 Libelium Comunicaciones Distribuidas S.L. INDEX 1. Introduction... 3 2. General and safety information... 4 3. Waspmote s Hardware Setup...

More information

Quick Installation Guide

Quick Installation Guide V2.01 Model: FI9821W Quick Installation Guide Indoor HD Pan/Tilt Wireless IP Camera Black White For Windows OS ------- Page 1 For MAC OS ------- Page 16 ShenZhen Foscam Intelligent Technology Co., Ltd

More information

Home Automation Based on an Android and a Web Application Using Raspberry Pi

Home Automation Based on an Android and a Web Application Using Raspberry Pi American Journal of Mobile Systems, Applications and Services Vol. 1, No. 3, 2015, pp. 174-181 http://www.aiscience.org/journal/ajmsas Home Automation Based on an Android and a Web Application Using Raspberry

More information

Install bluez on the Raspberry Pi

Install bluez on the Raspberry Pi Install bluez on the Raspberry Pi Created by Tony DiCola Last updated on 2016-03-11 08:03:30 PM EST Guide Contents Guide Contents Overview Installation Download Source Install Dependencies Compile & Install

More information

Adafruit NFC/RFID on Raspberry Pi

Adafruit NFC/RFID on Raspberry Pi Adafruit NFC/RFID on Raspberry Pi Created by Kevin Townsend Last updated on 2016-07-18 05:29:08 PM EDT Guide Contents Guide Contents Overview Freeing UART on the Pi Step One: Run raspi-conf Step Two: Disable

More information

XBee USB Adapter Board (#32400)

XBee USB Adapter Board (#32400) Web Site: www.parallax.com Forums: forums.parallax.com Sales: sales@parallax.com Technical: support@parallax.com Office: (916) 624-8333 Fax: (916) 624-8003 Sales: (888) 512-1024 Tech Support: (888) 997-8267

More information

Synapse s SNAP Network Operating System

Synapse s SNAP Network Operating System Synapse s SNAP Network Operating System by David Ewing, Chief Technology Officer, Synapse Wireless Today we are surrounded by tiny embedded machines electro-mechanical systems that monitor the environment

More information

Strato Pi Hardware Guide

Strato Pi Hardware Guide Strato Pi Hardware Guide October 2015 Revision 001 a professional expansion board for Raspberry Pi 2 Introduction 3 Features 4 Usage and connections 5 Hardware Installation 5 Strato Pi boards 5 Strato

More information

Building A Self-Hosted WebRTC Project

Building A Self-Hosted WebRTC Project Building A Self-Hosted WebRTC Project Rod Apeldoorn EasyRTC Server Lead Priologic Software Inc. rod.apeldoorn@priologic.com Slides will be available at: http://easyrtc.com/cloudexpo/ A Little About Priologic

More information

Building a Robot Kit with a Raspberry PI 2 and Windows 10 IoT Core

Building a Robot Kit with a Raspberry PI 2 and Windows 10 IoT Core CODING 4 FUN Building a Robot Kit with a Raspberry PI 2 and Windows 10 IoT Core The Internet of Things (IoT) ecosystem is growing faster and faster, and with the introduction of Windows 10, Microsoft has

More information

How to read Temperature and Humidity from Am2302 sensor using Thingworx Edge java SKD for Raspberry Pi

How to read Temperature and Humidity from Am2302 sensor using Thingworx Edge java SKD for Raspberry Pi How to read Temperature and Humidity from Am2302 sensor using Thingworx Edge java SKD for Raspberry Pi Revison History Revision # Date ThingWorx Revision Changes Owner 1.0 2.0 21-11-14 3.0 17-12-14 4.0

More information

Cypress Semiconductor: Arduino Friendly PSoC Shield

Cypress Semiconductor: Arduino Friendly PSoC Shield Cypress Semiconductor: Arduino Friendly PSoC Shield Design Presentation ECE 480 Design Team 1 Cecilia Acosta Brett Donlon Matt Durak Aaron Thompson Nathan Ward Faculty Facilitator Dr. Robert McGough Sponsor

More information

Adafruit Pi Box Plus. Created by Phillip Burgess. Last updated on 2014-07-24 08:45:08 PM EDT

Adafruit Pi Box Plus. Created by Phillip Burgess. Last updated on 2014-07-24 08:45:08 PM EDT Adafruit Pi Box Plus Created by Phillip Burgess Last updated on 2014-07-24 08:45:08 PM EDT Guide Contents Guide Contents Assembly Instructions Preparation Parts List Assembly Opening the Lid If Using a

More information

Penetration Testing for iphone Applications Part 1

Penetration Testing for iphone Applications Part 1 Penetration Testing for iphone Applications Part 1 This article focuses specifically on the techniques and tools that will help security professionals understand penetration testing methods for iphone

More information

UGLYDATV 0.1 by F5OEO Evariste

UGLYDATV 0.1 by F5OEO Evariste UGLYDATV 0.1 by F5OEO Evariste November 2014 Introduction This documentation describes a solution to use the Raspberry Pi as a main component of a DVB-S modulator. Two modes are available : - Output I/Q

More information

Adafruit's Raspberry Pi Lesson 11. DS18B20 Temperature Sensing

Adafruit's Raspberry Pi Lesson 11. DS18B20 Temperature Sensing Adafruit's Raspberry Pi Lesson 11. DS18B20 Temperature Sensing Created by Simon Monk Last updated on 2015-04-09 03:47:48 PM EDT Guide Contents Guide Contents Overview Other Code Libraries Parts Hardware

More information

Desktop : Ubuntu 10.04 Desktop, Ubuntu 12.04 Desktop Server : RedHat EL 5, RedHat EL 6, Ubuntu 10.04 Server, Ubuntu 12.04 Server, CentOS 5, CentOS 6

Desktop : Ubuntu 10.04 Desktop, Ubuntu 12.04 Desktop Server : RedHat EL 5, RedHat EL 6, Ubuntu 10.04 Server, Ubuntu 12.04 Server, CentOS 5, CentOS 6 201 Datavoice House, PO Box 267, Stellenbosch, 7599 16 Elektron Avenue, Technopark, Tel: +27 218886500 Stellenbosch, 7600 Fax: +27 218886502 Adept Internet (Pty) Ltd. Reg. no: 1984/01310/07 VAT No: 4620143786

More information

POPP Hub Gateway. Manual

POPP Hub Gateway. Manual POPP Hub Gateway Manual 008900 POPP Hub Gateway Manual Quick Start... 2 Hardware... 2 Smart Home User Interface... 2 Applications (Apps) realize the intelligence of your Smart Home... 3 Functions of the

More information

Quick Start Guide For Vera Small Business Solution

Quick Start Guide For Vera Small Business Solution Quick Start Guide For Vera Small Business Solution Congratulations on Your Purchase of the Vera Small Business Solution You ve taken the first step to begin enjoying the ease, convenience, energy savings

More information

UPiS - Uninterruptible Power intelligent Supply

UPiS - Uninterruptible Power intelligent Supply UPiS - Uninterruptible Power intelligent Supply www.pimodules.com Introduction The UPiS is an Advanced Powering add-on Module for the RaspberryPi that adds a wealth of additional features to the powering

More information

USER MANUAL V5.0 ST100

USER MANUAL V5.0 ST100 GPS Vehicle Tracker USER MANUAL V5.0 ST100 Updated on 15 September 2009-1 - Contents 1 Product Overview 3 2 For Your Safety 3 3 ST100 Parameters 3 4 Getting Started 4 4.1 Hardware and Accessories 4 4.2

More information

Smartphone garage door opener

Smartphone garage door opener http://tuxgraphics.org/electronics Smartphone garage door opener Abstract: Nobody leave these days the house without keys and mobile phone. Wouldn't it be nice if you could use your mobile phone to open

More information

STABLE & SECURE BANK lab writeup. Page 1 of 21

STABLE & SECURE BANK lab writeup. Page 1 of 21 STABLE & SECURE BANK lab writeup 1 of 21 Penetrating an imaginary bank through real present-date security vulnerabilities PENTESTIT, a Russian Information Security company has launched its new, eighth

More information

Adafruit's Raspberry Pi Lesson 9. Controlling a DC Motor

Adafruit's Raspberry Pi Lesson 9. Controlling a DC Motor Adafruit's Raspberry Pi Lesson 9. Controlling a DC Motor Created by Simon Monk Last updated on 2014-04-17 09:00:29 PM EDT Guide Contents Guide Contents Overview Parts Part Qty PWM The PWM Kernel Module

More information

Web Developer Toolkit for IBM Digital Experience

Web Developer Toolkit for IBM Digital Experience Web Developer Toolkit for IBM Digital Experience Open source Node.js-based tools for web developers and designers using IBM Digital Experience Tools for working with: Applications: Script Portlets Site

More information

Adafruit's Raspberry Pi Lesson 3. Network Setup

Adafruit's Raspberry Pi Lesson 3. Network Setup Adafruit's Raspberry Pi Lesson 3. Network Setup Created by Simon Monk Last updated on 2016-01-04 12:07:57 PM EST Guide Contents Guide Contents Overview Using a Wired Network Buying a USB WiFi Adapter Setting

More information

BT LE RFID Reader v1.0

BT LE RFID Reader v1.0 BT LE RFID Reader v1.0 The board The BT LE RFID Reader board v1.0 is shown below. On the board there are the following components: Power connector J7 with positive voltage going to pin 1 (red wire) and

More information

Raspberry Pi Setup Tutorial

Raspberry Pi Setup Tutorial Raspberry Pi Setup Tutorial The Raspberry Pi is basically a miniature linux- based computer. It has an ARM processor on it, specifically the ARM1176JZF- S 700 MHz processor. This is the main reason why

More information

CDH installation & Application Test Report

CDH installation & Application Test Report CDH installation & Application Test Report He Shouchun (SCUID: 00001008350, Email: she@scu.edu) Chapter 1. Prepare the virtual machine... 2 1.1 Download virtual machine software... 2 1.2 Plan the guest

More information

Adafruit SHT31-D Temperature & Humidity Sensor Breakout

Adafruit SHT31-D Temperature & Humidity Sensor Breakout Adafruit SHT31-D Temperature & Humidity Sensor Breakout Created by lady ada Last updated on 2016-06-23 10:13:40 PM EDT Guide Contents Guide Contents Overview Pinouts Power Pins: I2C Logic pins: Other Pins:

More information

DKWF121 WF121-A 802.11 B/G/N MODULE EVALUATION BOARD

DKWF121 WF121-A 802.11 B/G/N MODULE EVALUATION BOARD DKWF121 WF121-A 802.11 B/G/N MODULE EVALUATION BOARD PRELIMINARY DATA SHEET Wednesday, 16 May 2012 Version 0.5 Copyright 2000-2012 Bluegiga Technologies All rights reserved. Bluegiga Technologies assumes

More information

AVTECH Software Inc.

AVTECH Software Inc. AVTECH Software Inc. The Worldwide Leader In Making Temperature & Environment Monitoring Easier Protect Your Facility Don t Wait Until It s Too Late! 1 of 23 Brief Introduction & Overview AVTECH Software

More information

Web Development with Flask and the Raspberry Pi Leading by Example CUAUHTEMOC CARBAJAL ITESM CEM 22/04/2014

Web Development with Flask and the Raspberry Pi Leading by Example CUAUHTEMOC CARBAJAL ITESM CEM 22/04/2014 Web Development with Flask and the Raspberry Pi Leading by Example CUAUHTEMOC CARBAJAL ITESM CEM 22/04/2014 Introduction Flask: lightweight web application framework written in Python and based on the

More information

TOSR0X-D. USB/Wireless Timer Relay Module. User Manual. Tinysine Electronics @ 2013 Version 1.0

TOSR0X-D. USB/Wireless Timer Relay Module. User Manual. Tinysine Electronics @ 2013 Version 1.0 TOSR0X-D USB/Wireless Timer Relay Module User Manual Tinysine Electronics @ 2013 Version 1.0 INTRODUCTION This USB/Wireless Timer Relay Module allows computer control switching of external devices by using

More information

IBM WEBSPHERE LOAD BALANCING SUPPORT FOR EMC DOCUMENTUM WDK/WEBTOP IN A CLUSTERED ENVIRONMENT

IBM WEBSPHERE LOAD BALANCING SUPPORT FOR EMC DOCUMENTUM WDK/WEBTOP IN A CLUSTERED ENVIRONMENT White Paper IBM WEBSPHERE LOAD BALANCING SUPPORT FOR EMC DOCUMENTUM WDK/WEBTOP IN A CLUSTERED ENVIRONMENT Abstract This guide outlines the ideal way to successfully install and configure an IBM WebSphere

More information

CCM 4350 Week 11. Security Architecture and Engineering. Guest Lecturer: Mr Louis Slabbert School of Science and Technology.

CCM 4350 Week 11. Security Architecture and Engineering. Guest Lecturer: Mr Louis Slabbert School of Science and Technology. CCM 4350 Week 11 Security Architecture and Engineering Guest Lecturer: Mr Louis Slabbert School of Science and Technology CCM4350_CNSec 1 Web Server Security The Web is the most visible part of the net

More information

Connecting with Computer Science, 2e. Chapter 5 The Internet

Connecting with Computer Science, 2e. Chapter 5 The Internet Connecting with Computer Science, 2e Chapter 5 The Internet Objectives In this chapter you will: Learn what the Internet really is Become familiar with the architecture of the Internet Become familiar

More information

MAX6683 Evaluation System/Evaluation Kit

MAX6683 Evaluation System/Evaluation Kit 19-2343; Rev 1; 3/07 MAX6683 Evaluation System/Evaluation Kit General Description The MAX6683 evaluation system (EV system) consists of a MAX6683 evaluation kit (EV kit) and a companion Maxim CMODUSB board.

More information

IP Camera (L series) User manual 2013-05 V1.1

IP Camera (L series) User manual 2013-05 V1.1 Dear users, the configuration for this camera is professional, so please read the user manual carefully before using the camera. IP Camera (L series) User manual 2013-05 V1.1 Statement If the user manual

More information

Beginner s Guide to the PI MATRIX. by Bruce E. Hall, W8BH 1) INTRODUCTION

Beginner s Guide to the PI MATRIX. by Bruce E. Hall, W8BH 1) INTRODUCTION Beginner s Guide to the PI MATRIX - Part 1- by Bruce E. Hall, W8BH 1) INTRODUCTION The Pi Matrix is a fantastic tool for learning GPIO programming on the raspberry pi. Sure, you could hook up a few LEDs

More information

Qt on Raspberry Pi. Jeff Tranter Integrated Computer Solutions (ICS) Qt Developer Days 2012. www.ics.com

Qt on Raspberry Pi. Jeff Tranter Integrated Computer Solutions (ICS) Qt Developer Days 2012. www.ics.com Qt on Raspberry Pi Jeff Tranter Integrated Computer Solutions (ICS) Qt Developer Days 2012 Agenda What is the Raspberry Pi? Raspberry Pi Foundation Hardware Software QtonPi Distribution QtonPi Device Program

More information

Massachusetts Institute of Technology Department of Electrical Engineering and Computer Science 6.115 Microprocessor Project Laboratory

Massachusetts Institute of Technology Department of Electrical Engineering and Computer Science 6.115 Microprocessor Project Laboratory Massachusetts Institute of Technology Department of Electrical Engineering and Computer Science 6.115 Microprocessor Project Laboratory Connecting your PSoC Evaluation Board It is easy and fun to avoid

More information

Starting Guide - Poseidon 3265 First steps for remote monitoring with Poseidon & GSM

Starting Guide - Poseidon 3265 First steps for remote monitoring with Poseidon & GSM Poseidon 3265 starting guide Poseidon 3265 Starting Guide - Poseidon 3265 First steps for remote monitoring with Poseidon & GSM 1) Connecting Poseidon 3265 1.1) Check DIP switches settings. For installation

More information

obems - open source Building energy Management System T4 Sustainability Ltd

obems - open source Building energy Management System T4 Sustainability Ltd obems - open source Building energy Management System T4 Sustainability Ltd AMR and BMS What are the problems? Cost - hardware, rental or purchase, and software licenses, upgrades etc. Lack of open standards.

More information

Bob Rathbone Computer Consultancy

Bob Rathbone Computer Consultancy Raspberry PI Stepper Motor Constructors Manual Bob Rathbone Computer Consultancy www.bobrathbone.com 20 th of December 2013 Bob Rathbone Raspberry PI Robotic Arm 1 Contents Introduction... 3 Raspberry

More information

How to Install Multicraft on a VPS or Dedicated Server (Ubuntu 13.04 64 bit)

How to Install Multicraft on a VPS or Dedicated Server (Ubuntu 13.04 64 bit) How to Install Multicraft on a VPS or Dedicated Server (Ubuntu 13.04 64 bit) Introduction Prerequisites This tutorial will show you step-by-step on how to install Multicraft 1.8.2 on a new VPS or dedicated

More information

SwannEye HD Plug & Play Wi-Fi Security Camera Quick Start Guide Welcome! Lets get started.

SwannEye HD Plug & Play Wi-Fi Security Camera Quick Start Guide Welcome! Lets get started. EN SwannEye HD Plug & Play Wi-Fi Security Camera Quick Start Guide Welcome! Lets get started. QHADS453080414E Swann 2014 1 1 Introduction Congratulations on your purchase of this SwannEye HD Plug & Play

More information

SX-3000EDM Integration Guide

SX-3000EDM Integration Guide SX-3000EDM Integration Guide SX-3000EDM Integration Guide PN: 140-20116-110 Rev. A 1 Table of Contents SX-3000EDM Integration Guide Product Overview... 3 Introduction... 3 Features... 4 Block Diagram...

More information

Using TU Eindhoven's VPN with Ubuntu 14.04

Using TU Eindhoven's VPN with Ubuntu 14.04 Using TU Eindhoven's VPN with Ubuntu 14.04 TU Eindhoven offers two servers for Virtual Private Networking (VPN): 1. vpn.tue.nl 2. vpn2.tue.nl They can be used on Linux computers. Using vpn.tue.nl is straightforward,

More information

Health Monitoring Demo for ice40 Ultra Wearable Development Platform User Guide. UG103 Version 1.0, September 2015

Health Monitoring Demo for ice40 Ultra Wearable Development Platform User Guide. UG103 Version 1.0, September 2015 ice40 Ultra Wearable Development Platform User Guide UG103 Version 1.0, September 2015 Demo Setup Hardware Requirements ice40 Ultra Wearable Development Platform Android smart phone with Android 4.3 or

More information

Board also Supports MicroBridge

Board also Supports MicroBridge This product is ATmega2560 based Freeduino-Mega with USB Host Interface to Communicate with Android Powered Devices* like Android Phone or Tab using Android Open Accessory API and Development Kit (ADK)

More information

Quick Start Guide For Vera Advanced Home Security Solution

Quick Start Guide For Vera Advanced Home Security Solution Quick Start Guide For Vera Advanced Home Security Solution Congratulations on Your Purchase of the Vera Advanced Home Security Solution You ve taken the first step to begin enjoying the ease, convenience

More information

SeaSmart Firmware Update via FTP

SeaSmart Firmware Update via FTP SeaSmart.net Firmware can be updated by FTP file transfer. This App Note describes how to use built-in Windows FTP client (XP/Vista/7) to upload new firmware files to target SeaSmart.net adapters. Modification

More information

E-Blocks Easy Internet Bundle

E-Blocks Easy Internet Bundle Page 1 Cover Page Page 2 Flowcode Installing Flowcode Instruction for installing Flowcode can be found inside the installation booklet located inside the Flowcode DVD case. Before starting with the course

More information

COMPASS Database Work in 2014/15

COMPASS Database Work in 2014/15 COMPASS Database Work in 2014/15 Martin Bodlak Joined Czech Group, COMPASS Experiment at CERN 30 July 2015 COMPASS database servers in 888 PCCODB00 VIRTUAL ADDR PCCODB22 CLIENTS PCCODB21 PCCODB23 PCCODB20

More information

Set up and Blink - Simulink with Arduino

Set up and Blink - Simulink with Arduino Set up and Blink - Simulink with Arduino Created by Anuja Apte Last updated on 2015-01-28 06:45:11 PM EST Guide Contents Guide Contents Overview Parts and Software Build the circuit Set up compiler support

More information

Using the Raspberry Pi to Prototype the Industrial Internet of Things

Using the Raspberry Pi to Prototype the Industrial Internet of Things Using the Raspberry Pi to Prototype the Industrial Internet of Things Rich Blomseth, Glen Riley, and Bob Dolin Oct 31, 2013 Presented at ARM TechCon, 2013 1 Agenda IoT CommunicaCon Models Requirements

More information

Application Note: Monitoring Branch Circuit Loads in Critical Facilities

Application Note: Monitoring Branch Circuit Loads in Critical Facilities Application Note: Monitoring Branch Circuit Loads in Critical Facilities Description of application: The AcquiSuite data acquisition server (DAS) from Obvius is used to monitor the electrical loads and

More information

Smartphone Pentest Framework v0.1. User Guide

Smartphone Pentest Framework v0.1. User Guide Smartphone Pentest Framework v0.1 User Guide 1 Introduction: The Smartphone Pentest Framework (SPF) is an open source tool designed to allow users to assess the security posture of the smartphones deployed

More information

Network Interface Failover using FONA

Network Interface Failover using FONA Network Interface Failover using FONA Created by Adam Kohring Last updated on 2014-10-20 12:30:12 PM EDT Guide Contents Guide Contents Overview Prerequisites Wiring Raspberry Pi to Fona ifacefailover Service

More information