Sending an SMS with Temboo
|
|
|
- Augustus Hudson
- 9 years ago
- Views:
Transcription
1 Sending an SMS with Temboo Created by Vaughn Shinall Last updated on :15:14 PM EST
2 Guide Contents Guide Contents Overview Get Set Up Generate Your Sketch Upload and Run Push to Send Wiring Your Circuit Adding Code Adafruit Industries Page 2 of 21
3 Overview This guide will show you the basic framework for programming your Arduino to interact with APIs using the Temboo platform. We'll focus on sending an SMS with Twilio here, but the same basic steps will work for any of the different processes in the Temboo library. Adafruit Industries Page 3 of 21
4 Get Set Up To build this example project, you'll be using an internet-connected Arduino board that will send a text message. We've chosen to use: An Arduino Uno R3 Adafruit Industries Page 4 of 21
5 An Adafruit CC3000 WiFi Shield Adafruit Industries Page 5 of 21
6 A USB A - B cable Adafruit Industries Page 6 of 21
7 A push button Adafruit Industries Page 7 of 21
8 A 10k Ω resistor Adafruit Industries Page 8 of 21
9 A half-size breadboard Adafruit Industries Page 9 of 21
10 Some wires You'll also need a Temboo account and a Twilio account. To set up your Temboo account (if you don't already have one) you can create one for free here ( You can create a free Twilio account here ( Finally, make sure that you have the latest version of Temboo's Arduino library installed; if you don't, you can download it here ( Adafruit Industries Page 10 of 21
11 Generate Your Sketch Now that you're all set up, log in to Temboo and go to the Twilio > SMSMessages > SendSMS ( Choreo in the Temboo Library. Turn on IoT Mode and make sure that you've added details about the shield that your Arduino board is using to connect to the internet. You can do this by setting IoT Mode to ON in the upper right-hand corner of the window and then selecting Arduino and Adafruit CC3000 WiFi from the dropdown menus that appear, as shown below: Next, fill out the Input fields using the information from your Twilio account, the text of the SMS that you want to send, and the phone number to which you would like to send it. You'll find your Twilio Account SID and Auth Token by going to Twilio ( and checking your Dashboard, as shown below; note that you need to use the credentials found on the Dashboard, not the test credentials from the Twilio Dev Tools panel: When using a free Twilio account, you'll need to verify the phone numbers to which messages are being sent by going to Twilio and following the instructions under the Numbers > Verified Caller IDs tab, as shown below. Adafruit Industries Page 11 of 21
12 Once you've filled out all of the input fields on the Temboo SendSMS Choreo page, test the Choreo from your browser by clicking Run at the bottom of the window. Adafruit Industries Page 12 of 21
13 If you elected to send the SMS to your own phone number, you should receive it (and if you didn't, whomever you chose will instead). You'll also see a JSON that is returned by Twilio appear under Output, indicating that, among other things, your test executed successfully. Adafruit Industries Page 13 of 21
14 Adafruit Industries Page 14 of 21
15 Upload and Run Now that you've tested the Choreo successfully, you can scroll down to find the Co de section of the page. When you're in IoT Mode and you run a Choreo, Temboo automatically generates code that can be used to make the same API call from an Arduino sketch. Copy the code, and paste it into a new sketch in the Arduino IDE. In order to run this sketch on your Arduino, it needs to be configured with an appropriate TembooAccount.h header file that contains your Temboo account information and internet shield setup information. To create the header file, make a new tab in the Arduino IDE, and name it TembooAccount.h. On the Twilio SendSMS Choreo page beneath the sketch code that you previously copied and pasted into the Arduino IDE, you ll find another block of generated code containing #define statements and details about your internet shield. This is your header file. Copy the contents of the header into the TembooAccount.h tab in your Arduino IDE. Adafruit Industries Page 15 of 21
16 With both files in place, you are ready to start sending SMS from your Arduino. Save and upload the sketch, open the serial monitor, and watch the texts roll in! Adafruit Industries Page 16 of 21
17 Push to Send Of course, a device that just sends off messages with no prompting may not be of much use, so let's add a button to the Uno that will trigger an SMS when pushed. Adafruit Industries Page 17 of 21
18 Wiring Your Circuit The circuit for the push button is fairly straightforward connect one of the button's legs to the 5 volt power supply, and the other to one of the digital pins on your WiFi shield. In our diagram, we've chosen pin 8. Then, connect that same leg that is wired to pin 8 to ground through a pull down resistor. When the button in this circuit is pressed, pin 8 will be connected to power, and will read HIGH. When the button is left open, pin 8 is connected to ground, and will read LOW. Adafruit Industries Page 18 of 21
19 Adding Code You've already generated all of the code you need to send an SMS through Twilio using your Arduino, so you only need to add a couple of extra lines to your sketch to trigger those messages with your push button. First, initialize the pin that you will be reading (recall that we chose to use pin 8) by adding the following lines of code to what you already have in void setup(): // Initialize pin pinmode(8, INPUT); Your setup should now look something like this: void setup() { Serial.begin(9600); // For debugging, wait until the serial console is connected. delay(4000); while(!serial); status_t wifistatus = STATUS_DISCONNECTED; while (wifistatus!= STATUS_CONNECTED) { Serial.print("WiFi:"); if (cc3k.begin()) { if (cc3k.connecttoap(wifi_ssid, WPA_PASSWORD, WLAN_SEC_WPA2)) { wifistatus = cc3k.getstatus(); } } if (wifistatus == STATUS_CONNECTED) { Serial.println("OK"); } else { Serial.println("FAIL"); } delay(5000); } // Initialize pin pinmode(8, INPUT); Serial.println("Setup complete.\n"); } Then, add the following two lines of code to void loop() to set the SendSMS Choreo to run only when the button is pressed: Adafruit Industries Page 19 of 21
20 int sensorvalue = digitalread(8); if (sensorvalue == HIGH) { You should nest the code that you already have in void loop() within this new conditional, so that it should now look something like this: void loop() { int sensorvalue = digitalread(8); if (sensorvalue == HIGH) { if (numruns <= maxruns) { Serial.println("Running SendSMS - Run #" + String(numRuns++)); TembooChoreo SendSMSChoreo(client); // Invoke the Temboo client SendSMSChoreo.begin(); // Set Temboo account credentials SendSMSChoreo.setAccountName(TEMBOO_ACCOUNT); SendSMSChoreo.setAppKeyName(TEMBOO_APP_KEY_NAME); SendSMSChoreo.setAppKey(TEMBOO_APP_KEY); // Set Choreo inputs String AuthTokenValue = "PLACEHOLDER"; SendSMSChoreo.addInput("AuthToken", AuthTokenValue); String BodyValue = "PLACEHOLDER"; SendSMSChoreo.addInput("Body", BodyValue); String ToValue = "PLACEHOLDER"; SendSMSChoreo.addInput("To", ToValue); String AccountSIDValue = "PLACEHOLDER"; SendSMSChoreo.addInput("AccountSID", AccountSIDValue); String FromValue = "PLACEHOLDER"; SendSMSChoreo.addInput("From", FromValue); // Identify the Choreo to run SendSMSChoreo.setChoreo("/Library/Twilio/SMSMessages/SendSMS"); // Run the Choreo; when results are available, print them to serial SendSMSChoreo.run(); while(sendsmschoreo.available()) { char c = SendSMSChoreo.read(); Serial.print(c); } Adafruit Industries Page 20 of 21
21 } SendSMSChoreo.close(); Serial.println("\nWaiting...\n"); delay(30000); // wait 30 seconds between SendSMS calls } } Don't forget to add a curly bracket at the end of void loop() to close out the additional conditional! Note that in the code example above, the Choreo inputs have been replaced with placeholders. The code that you generate on the Temboo website will automatically have these input values filled in, so there's no need to worry about replacing them manually. With that, your sketch is once again ready to go you're free to tinker with it as you wish (for example, you might choose to comment out the 30 second delay at the end if you want to send messages more rapidly), but no further alterations are required. Save it, upload it to your Arduino, open the serial monitor, and push the button to dispatch your SMS! Adafruit Industries Last Updated: :15:15 PM EST Page 21 of 21
Arduino Lesson 13. DC Motors. Created by Simon Monk
Arduino Lesson 13. DC Motors Created by Simon Monk Guide Contents Guide Contents Overview Parts Part Qty Breadboard Layout Arduino Code Transistors Other Things to Do 2 3 4 4 4 6 7 9 11 Adafruit Industries
Arduino Lesson 5. The Serial Monitor
Arduino Lesson 5. The Serial Monitor Created by Simon Monk Last updated on 2013-06-22 08:00:27 PM EDT Guide Contents Guide Contents Overview The Serial Monitor Arduino Code Other Things to Do 2 3 4 7 10
Arduino Lesson 1. Blink
Arduino Lesson 1. Blink Created by Simon Monk Last updated on 2015-01-15 09:45:38 PM EST Guide Contents Guide Contents Overview Parts Part Qty The 'L' LED Loading the 'Blink' Example Saving a Copy of 'Blink'
Arduino Lesson 17. Email Sending Movement Detector
Arduino Lesson 17. Email Sending Movement Detector Created by Simon Monk Last updated on 2014-04-17 09:30:23 PM EDT Guide Contents Guide Contents Overview Parts Part Qty Breadboard Layout Arduino Code
Arduino Lesson 16. Stepper Motors
Arduino Lesson 16. Stepper Motors Created by Simon Monk Last updated on 2013-11-22 07:45:14 AM EST Guide Contents Guide Contents Overview Parts Part Qty Breadboard Layout Arduino Code Stepper Motors Other
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
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
Setup Guide for PrestaShop and BlueSnap
Setup Guide for PrestaShop and BlueSnap This manual is meant to show you how to connect your PrestaShop store with your newly created BlueSnap account. It will show step-by-step instructions. For any further
Arduino Lesson 4. Eight LEDs and a Shift Register
Arduino Lesson 4. Eight LEDs and a Shift Register Created by Simon Monk Last updated on 2014-09-01 11:30:10 AM EDT Guide Contents Guide Contents Overview Parts Part Qty Breadboard Layout The 74HC595 Shift
Arduino Lesson 14. Servo Motors
Arduino Lesson 14. Servo Motors Created by Simon Monk Last updated on 2013-06-11 08:16:06 PM EDT Guide Contents Guide Contents Overview Parts Part Qty The Breadboard Layout for 'Sweep' If the Servo Misbehaves
Arduino Lesson 9. Sensing Light
Arduino Lesson 9. Sensing Light Created by Simon Monk Last updated on 2014-04-17 09:46:11 PM EDT Guide Contents Guide Contents Overview Parts Part Qty Breadboard Layout Photocells Arduino Code Other Things
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
Google Trusted Stores Setup in Magento
Google Trusted Stores Setup in Magento Google Trusted Stores is a free badging program that can improve your conversion rate and average order size by reassuring potential customers you offer a great shopping
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 &
InsideView Lead Enrich Setup Guide for Marketo
InsideView Lead Enrich Setup Guide for Marketo ... 1 Step 1: Sign up for InsideView for Marketing... 1 Step 2: Create Custom Fields... 3 Step 3: Create a Webhook for InsideView for Marketing... 5 Step
Authorize.net for WordPress
Authorize.net for WordPress Authorize.net for WordPress 1 Install and Upgrade 1.1 1.2 Install The Plugin 5 Upgrading the plugin 8 2 General Settings 2.1 2.2 2.3 2.4 2.5 2.6 2.7 2.8 Connecting to Authorize.net
Step 1: Download and install the CudaSign for Salesforce app
Prerequisites: Salesforce account and working knowledge of Salesforce. Step 1: Download and install the CudaSign for Salesforce app Direct link: https://appexchange.salesforce.com/listingdetail?listingid=a0n3000000b5e7feav
Authorize.net for WordPress
Authorize.net for WordPress Authorize.net for WordPress 1 Install and Upgrade 1.1 1.2 Install The Plugin 5 Upgrading the plugin 8 2 General Settings 2.1 2.2 2.3 2.4 2.5 2.6 2.7 2.8 2.9 2.10 2.11 Connecting
Using Microsoft Visual Studio 2010. API Reference
2010 API Reference Published: 2014-02-19 SWD-20140219103929387 Contents 1... 4 Key features of the Visual Studio plug-in... 4 Get started...5 Request a vendor account... 5 Get code signing and debug token
QuickBooks Mac 2014 Getting Started Guide
QuickBooks Mac 2014 Getting Started Guide Financial Institution Support - OFX Connectivity Group Table of Contents QUICKBOOKS 2014 FOR MAC GETTING STARTED GUIDE... 3 ABOUT THIS GUIDE... 3 QUICKBOOKS 2014
DS1307 Real Time Clock Breakout Board Kit
DS1307 Real Time Clock Breakout Board Kit Created by Tyler Cooper Last updated on 2015-10-15 11:00:14 AM EDT Guide Contents Guide Contents Overview What is an RTC? Parts List Assembly Arduino Library Wiring
Your Multimeter. The Arduino Uno 10/1/2012. Using Your Arduino, Breadboard and Multimeter. EAS 199A Fall 2012. Work in teams of two!
Using Your Arduino, Breadboard and Multimeter Work in teams of two! EAS 199A Fall 2012 pincer clips good for working with breadboard wiring (push these onto probes) Your Multimeter probes leads Turn knob
Sending Data from a computer to a microcontroller using a UART (Universal Asynchronous Receiver/Transmitter)
Sending Data from a computer to a microcontroller using a UART (Universal Asynchronous Receiver/Transmitter) Eric Bell 04/05/2013 Abstract: Serial communication is the main method used for communication
IBM/Softlayer Object Storage for Offsite Backup
IBM/Softlayer Object Storage for Offsite Backup How to use IBM/Softlayer Object Storage for Offsite Backup How to use IBM/Softlayer Object Storage for Offsite Backup IBM/Softlayer Object Storage is a redundant
Using the Push Notifications Extension Part 1: Certificates and Setup
// tutorial Using the Push Notifications Extension Part 1: Certificates and Setup Version 1.0 This tutorial is the second part of our tutorials covering setting up and running the Push Notifications Native
Practice Fusion API Client Installation Guide for Windows
Practice Fusion API Client Installation Guide for Windows Quickly and easily connect your Results Information System with Practice Fusion s Electronic Health Record (EHR) System Table of Contents Introduction
Arduino Wifi shield And reciever. 5V adapter. Connecting wifi module on shield: Make sure the wifi unit is connected the following way on the shield:
the following parts are needed to test the unit: Arduino UNO R3 Arduino Wifi shield And reciever 5V adapter Connecting wifi module on shield: Make sure the wifi unit is connected the following way on the
Adafruit MCP9808 Precision I2C Temperature Sensor Guide
Adafruit MCP9808 Precision I2C Temperature Sensor Guide Created by lady ada Last updated on 2014-04-22 03:01:18 PM EDT Guide Contents Guide Contents Overview Pinouts Power Pins I2C Data Pins Optional Pins
BUSINESS ONLINE BANKING QUICK GUIDE For Company System Administrators
BUSINESS ONLINE BANKING QUICK GUIDE For Company System Administrators Introduction At Mercantil Commercebank, we are committed to safeguarding your identity online with the best technology available. This
Look in the top right of the screen and located the "Create an Account" button.
Create an Account Creating a Google Analytics account is a simple but important step in the process of creating your stores. To start the process visit the Google Analytics homepage: http://www.google.com/analytics/
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
Kony MobileFabric Messaging. Demo App QuickStart Guide. (Building a Sample Application
Kony MobileFabric Kony MobileFabric Messaging Demo App QuickStart Guide (Building a Sample Application Apple ios) Release 6.5 Document Relevance and Accuracy This document is considered relevant to the
Customer Portal User Guide: Transition to Delegation
NEW GTLD PROGRAM Customer Portal User Guide: Transition to Delegation Version 0.8 Table of Contents About this User Guide... 2 Introduction to the Customer Portal... 3 Logging in with your User Name and
Snow Active Directory Discovery
Product Snow Active Directory Discovery Version 1.0 Release date 2014-04-29 Document date 2014-04-29 Snow Active Directory Discovery Installation & Configuration Guide Page 2 of 9 This document describes
Arduino project. Arduino board. Serial transmission
Arduino project Arduino is an open-source physical computing platform based on a simple microcontroller board, and a development environment for writing software for the board. Open source means that the
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
Installation Guide and Machine Setup
Installation Guide and Machine Setup Page 1 Browser Configurations Installation Guide and Machine Setup The first requirement for using CURA is to ensure that your browser is set up accurately. 1. Once
Online Statements. About this guide. Important information
Online Statements About this guide This guide shows you how to: View online statements, including CommBiz Activity Statements (Billing summaries) and online statements for Transaction Accounts, Credit
Getting Started Guide: Transaction Download for QuickBooks 2009-2011 Windows. Information You ll Need to Get Started
Getting Started Guide: Transaction Download for QuickBooks 2009-2011 Windows Refer to the Getting Started Guide for instructions on using QuickBooks online account services; to save time, improve accuracy,
2.2" TFT Display. Created by Ladyada. Last updated on 2014-03-31 12:15:09 PM EDT
2.2" TFT Display Created by Ladyada Last updated on 2014-03-31 12:15:09 PM EDT Guide Contents Guide Contents Overview Connecting the Display Test the Display Graphics Library Bitmaps Alternative Wiring
KM Metering Inc. EKM Dash 1.8.3.0 User Manual. EKM Metering Inc. www.ekmmetering.com [email protected] (831)425-7371
EKM Dash 1..3.0 User Manual The EKM Dash is our desktop software solution for your meter data management. It is intended to give you the tools to easily visualize, log, email, and export your data in a
How to Make a Pogo Pin Test Jig. Created by Tyler Cooper
How to Make a Pogo Pin Test Jig Created by Tyler Cooper Guide Contents Guide Contents Overview Preparation Arduino Shield Jigs The Code Testing Advanced Pogo Jigs Support Forums 2 3 4 6 9 11 12 13 Adafruit
EasyPush Push Notifications Extension for ios
EasyPush Push Notifications Extension for ios Copyright 2012 Milkman Games, LLC. All rights reserved. http://www.milkmangames.com For support, contact [email protected] To View full AS3 documentation,
Your Mission: Use F-Response Cloud Connector to access Google Apps for Business Drive Cloud Storage
Your Mission: Use F-Response Cloud Connector to access Google Apps for Business Drive Cloud Storage Note: This guide assumes you have installed F-Response Consultant, Consultant + Covert, or Enterprise,
INSTALLATION GUIDE. Installing PhoneBurner for Salesforce. PhoneBurner for Salesforce
PhoneBurner for Salesforce INSTALLATION GUIDE! Installing PhoneBurner for Salesforce PhoneBurner s power dialer dramatically boosts live client interactions and overall productivity by 447%. PhoneBurner
Using the Jive for ios App
Using the Jive for ios App TOC 2 Contents App Overview...3 System Requirements... 4 Release Notes...5 Which Version Am I Using?... 6 Connecting to Your Community... 11 Getting Started...12 Using Your Inbox...13
DocuSign Connect for Salesforce Guide
Information Guide 1 DocuSign Connect for Salesforce Guide 1 Copyright 2003-2013 DocuSign, Inc. All rights reserved. For information about DocuSign trademarks, copyrights and patents refer to the DocuSign
DESKTOP CLIENT CONFIGURATION GUIDE BUSINESS EMAIL
DESKTOP CLIENT CONFIGURATION GUIDE BUSINESS EMAIL Version 2.0 Updated: March 2011 Contents 1. Mac Email Clients... 3 1.1 Configuring Microsoft Outlook 2011... 3 1.2 Configuring Entourage 2008... 4 1.3.
Business Mobile Banking Features
Business Mobile Banking Features Overview There are two modes of Business Mobile Banking available. Each mode offers a different level of functionality. Business Mobile Banking App o Business Online Banking
High Impact email & Alpha Five: A Mail Merge Guide.
High Impact email & Alpha Five: A Mail Merge Guide. Performing a Mail Merge that utilizes your Alpha Five database takes just a few moments and allows you to easily send HTML messages to your contacts.
cs281: Introduction to Computer Systems Lab08 Interrupt Handling and Stepper Motor Controller
cs281: Introduction to Computer Systems Lab08 Interrupt Handling and Stepper Motor Controller Overview The objective of this lab is to introduce ourselves to the Arduino interrupt capabilities and to use
QuickBooks Online Getting Started Guide for Financial Institutions. Financial Institution Support OFX Connectivity Group
QuickBooks Online Getting Started Guide for Financial Institutions Financial Institution Support OFX Connectivity Group Table of Contents QUICKBOOKS ONLINE GETTING STARTED GUIDE... 3 ABOUT THIS GUIDE...
Basic Pulse Width Modulation
EAS 199 Fall 211 Basic Pulse Width Modulation Gerald Recktenwald v: September 16, 211 [email protected] 1 Basic PWM Properties Pulse Width Modulation or PWM is a technique for supplying electrical power
New Participant Digital Certificate Enrollment Procedure
New Participant Digital Certificate Enrollment Procedure Now that your account has been setup in the ETS system, you need to access it. As this is a secure site, a digital certificate will be required
PHYS 2P32 Project: MIDI for Arduino/ 8 Note Keyboard
PHYS 2P32 Project: MIDI for Arduino/ 8 Note Keyboard University April 13, 2016 About Arduino: The Board Variety of models of Arduino Board (I am using Arduino Uno) Microcontroller constructd similarly
PDF Bookmarks Help Page: When clicking on a Bookmark and Nothing Happens (or sometimes 'File Not Found' Error)
PDF Bookmarks Help Page: When clicking on a Bookmark and Nothing Happens (or sometimes 'File Not Found' Error) Causes: Part 1: Acrobat or Adobe Reader has not been enabled to display PDFs in your Browser.
How to Integrate Salesforce with Your Constant Contact Account FOR ENTERPRISE & UNLIMITED EDITIONS
HOW-TO GUIDE EMAIL MARKE TING How to Integrate Salesforce with Your Constant Contact Account FOR ENTERPRISE & UNLIMITED EDITIONS INSIGHT PROVIDED BY www.constantcontact.com 1-866-876-8464 This guide is
Zoho CRM and Google Apps Synchronization
Zoho CRM and Google Apps Synchronization Table of Contents End User Integration Points 1. Contacts 2. Calendar 3. Email 4. Tasks 5. Docs 3 6 8 11 12 Domain-Wide Points of Integration 1. Authentication
Setup Guide for Magento and BlueSnap
Setup Guide for Magento and BlueSnap This manual is meant to show you how to connect your Magento store with your newly created BlueSnap account. It will show step-by-step instructions. For any further
Eric Mitchell April 2, 2012 Application Note: Control of a 180 Servo Motor with Arduino UNO Development Board
Eric Mitchell April 2, 2012 Application Note: Control of a 180 Servo Motor with Arduino UNO Development Board Abstract This application note is a tutorial of how to use an Arduino UNO microcontroller to
USER GUIDE for Salesforce
for Salesforce USER GUIDE Contents 3 Introduction to Backupify 5 Quick-start guide 6 Administration 6 Logging in 6 Administrative dashboard 7 General settings 8 Account settings 9 Add services 9 Contact
Connecting Arduino to Processing a
Connecting Arduino to Processing a learn.sparkfun.com tutorial Available online at: http://sfe.io/t69 Contents Introduction From Arduino......to Processing From Processing......to Arduino Shaking Hands
Getting Started. Getting Started with Time Warner Cable Business Class. Voice Manager. A Guide for Administrators and Users
Getting Started Getting Started with Time Warner Cable Business Class Voice Manager A Guide for Administrators and Users Table of Contents Table of Contents... 2 How to Use This Guide... 3 Administrators...
UCO_SECURE Wireless Connection Guide: Windows 8
1 The UCO_SECURE wireless network uses 802.1x encryption to ensure that your data is secure when it is transmitted wirelessly. This security is not enabled by default on Windows computers. In order to
C4DI Arduino tutorial 4 Things beginning with the letter i
C4DI Arduino tutorial 4 Things beginning with the letter i If you haven t completed the first three tutorials, it might be wise to do that before attempting this one. This tutorial assumes you are using
LiveText for Salesforce Quick Start Guide
LiveText for Salesforce Quick Start Guide (C) 2014 HEYWIRE BUSINESS ALL RIGHTS RESERVED LiveText for Salesforce Quick Start Guide Table of Contents Who should be looking at this document... 3 Software
ATTENTION: End users should take note that Main Line Health has not verified within a Citrix
Subject: Citrix Remote Access using PhoneFactor Authentication ATTENTION: End users should take note that Main Line Health has not verified within a Citrix environment the image quality of clinical cal
Arduino Internet Connectivity: Maintenance Manual Julian Ryan Draft No. 7 April 24, 2015
Arduino Internet Connectivity: Maintenance Manual Julian Ryan Draft No. 7 April 24, 2015 CEN 4935 Senior Software Engineering Project Instructor: Dr. Janusz Zalewski Software Engineering Program Florida
Creating an itunes App Store account without a credit card
Creating an itunes App Store account without a credit card Summary To create an itunes App Store account on your computer without a credit card, please follow the steps below. In order to create an account
Lizard Standalone Mode Guide Version 1.0:
Lizard Standalone Mode Guide Version 1.0: SECTION 1. DESCRIPTION The standalone Mode in Lizard will allow you go totally on the road, without having to carry a computer with you. The wiring for it its
Introduction... 2. Download and Install Mobile Application... 2. About Logging In... 4. Springboard... 4. Navigation... 6. List Pages...
Contents Introduction... 2 Download and Install Mobile Application... 2 About Logging In... 4 Springboard... 4 Navigation... 6 List Pages... 6 Example: Edit Contact... 7 View Pages... 12 Example: Companies...
Salesforce Opportunities Portlet Documentation v2
Salesforce Opportunities Portlet Documentation v2 From ACA IT-Solutions Ilgatlaan 5C 3500 Hasselt [email protected] Date 29.04.2014 This document will describe how the Salesforce Opportunities portlet
Access and Login. Single Sign On Reference. Signoff
Access and Login To access single sign on, here are the steps: Step 1: type in the URL: postone.onelogin.com Step 2: Enter your Post student email in the username field Step 3: Enter your Post student
Call Center Configuration Quick Reference Guide
Call Center Configuration Quick Reference Guide Table of Contents About MegaPath Call Center... 2 How to Configure Your Call Center... 2 Voice Administration - Dashboard... 3 Name... 3 Settings... 4 Group
ISVforce Guide. Version 35.0, Winter 16. @salesforcedocs
ISVforce Guide Version 35.0, Winter 16 @salesforcedocs Last updated: vember 12, 2015 Copyright 2000 2015 salesforce.com, inc. All rights reserved. Salesforce is a registered trademark of salesforce.com,
GadgetTrak Mobile Security Android & BlackBerry Installation & Operation Manual
GadgetTrak Mobile Security Android & BlackBerry Installation & Operation Manual Overview GadgetTrak Mobile Security is an advanced software application designed to assist in the recovery of your mobile
Internet Access: Wireless WVU.Encrypted Network Connecting a Windows 7 Device
Internet Access: Wireless WVU.Encrypted Network Connecting a Windows 7 Device Prerequisites An activated MyID account is required to use ResNet s wireless network. If you have not activated your MyID account,
Using ELMS with TurningPoint Cloud
Using ELMS with TurningPoint Cloud The ELMS (Canvas) integration enables TurningPoint Cloud users to leverage response devices in class to easily collect student achievement data. Very simply one can load
Google Sites: Creating, editing, and sharing a site
Google Sites: Creating, editing, and sharing a site Google Sites is an application that makes building a website for your organization as easy as editing a document. With Google Sites, teams can quickly
Dartmouth College Technical Support Document for Kronos PC version
Dartmouth College Technical Support Document for Kronos PC version Contents How to Save the Kronos URL as a Favorite or Bookmark... 2 Internet Explorer... 2 Firefox... 4 Possible Problems When Logging
System Overview and Terms
GETTING STARTED NI Condition Monitoring Systems and NI InsightCM Server Version 2.0 This document contains step-by-step instructions for the setup tasks you must complete to connect an NI Condition Monitoring
Microsoft Visual Studio 2010 Instructions For C Programs
Microsoft Visual Studio 2010 Instructions For C Programs Creating a NEW C Project After you open Visual Studio 2010, 1. Select File > New > Project from the main menu. This will open the New Project dialog
How To Use Freedomvoice On A Cell Phone Or Landline Phone On A Pc Or Mac Or Ipad Or Ipa Or Ipo Or Ipod Or Ipode Or Ipro Or Ipor Or Ipore Or Ipoe Or Ipob Or
Virtual Phone System User Guide v5.4 169 Saxony Road, Suite 212 Encinitas, CA 92024 Phone & Fax: (800) 477-1477 Welcome! Thank you for choosing FreedomVoice. This User Guide is designed to help you understand
CAN-Bus Shield Hookup Guide
Page 1 of 8 CAN-Bus Shield Hookup Guide Introduction The CAN-Bus Shield provides your Arduino or Redboard with CAN-Bus capabilities and allows you to hack your vehicle! CAN-Bus Shield connected to a RedBoard.
As your financial institution completes its system conversion, you
QuickBooks Business Accounting Software 2007 2009 for Windows Account Conversion Instructions Converting from Direct Connect to Web Connect As your financial institution completes its system conversion,
How To Install The Snow Active Directory Discovery Service On Windows 7.5.1 (Windows) (Windows 7) (Powerbook) (For Windows) (Amd64) (Apple) (Macintosh) (Netbook) And (Windows
USER GUIDE Product Snow Active Directory Discovery Version 1.0 Release date 2014-04-29 Document date 2015-02-09 CONTENT ABOUT THIS DOCUMENT... 3 SNOW ACTIVE DIRECTORY DISCOVERY... 3 PREREQUISITES... 4
Basic Software Setup Guide. www.easyclocking.com
1 Basic Software Setup Guide www.easyclocking.com 2 Table of Contents Software registration 3 How to connect the time clock.. 5 How to turn the time clock on 5 Defining the type of connection... 5 TCP/IP
Installing OGDI DataLab version 5 on Azure
Installing OGDI DataLab version 5 on Azure Using Azure Portal ver.2 August 2012 (updated February 2012) Configuring a Windows Azure Account This set of articles will walk you through the setup of the Windows
The Social Accelerator Setup Guide
The Social Accelerator Setup Guide Welcome! Welcome to the Social Accelerator setup guide. This guide covers 2 ways to setup SA. Most likely, you will want to use the easy setup wizard. In that case, you
Table of Contents. 1. Content Approval...1 EVALUATION COPY
Table of Contents Table of Contents 1. Content Approval...1 Enabling Content Approval...1 Content Approval Workflows...4 Exercise 1: Enabling and Using SharePoint Content Approval...9 Exercise 2: Enabling
How to connect to NAU s WPA2 Enterprise implementation in a Residence Hall:
How to connect to NAU s WPA2 Enterprise implementation in a Residence Hall: General Settings To connect to the ResNet-Secure SSID, a device is needed that supports 802.1X authentication and WPA2 Enterprise.
Aspect WordPress Theme
by DesignerThemes.com Hi there. Thanks for purchasing this theme, your support is greatly appreciated! This theme documentation file covers installation and all of the main features and, just like the
How do I Install and Configure MS Remote Desktop for the Haas Terminal Server on my Mac?
Enterprise Computing & Service Management How do I Install and Configure MS Remote Desktop for the Haas Terminal Server on my Mac? In order to connect remotely to a PC computer from your Mac, we recommend
WA2087 Programming Java SOAP and REST Web Services - WebSphere 8.0 / RAD 8.0. Student Labs. Web Age Solutions Inc.
WA2087 Programming Java SOAP and REST Web Services - WebSphere 8.0 / RAD 8.0 Student Labs Web Age Solutions Inc. 1 Table of Contents Lab 1 - WebSphere Workspace Configuration...3 Lab 2 - Introduction To
Character LCDs. Created by Ladyada. Last updated on 2013-07-26 02:45:29 PM EDT
Character LCDs Created by Ladyada Last updated on 2013-07-26 02:45:29 PM EDT Guide Contents Guide Contents Overview Character vs. Graphical LCDs LCD Varieties Wiring a Character LCD Installing the Header
Egnyte Single Sign-On (SSO) Installation for OneLogin
Egnyte Single Sign-On (SSO) Installation for OneLogin To set up Egnyte so employees can log in using SSO, follow the steps below to configure OneLogin and Egnyte to work with each other. 1. Set up OneLogin
Live Agent for Support Agents
Live Agent for Support Agents Salesforce, Spring 16 @salesforcedocs Last updated: February 18, 2016 Copyright 2000 2016 salesforce.com, inc. All rights reserved. Salesforce is a registered trademark of
Tiny Arduino Music Visualizer
Tiny Arduino Music Visualizer Created by Phillip Burgess Last updated on 2014-04-17 09:30:35 PM EDT Guide Contents Guide Contents Overview Wiring Code Troubleshooting Principle of Operation Ideas 2 3 4
