Pongsakorn Poosankam. Mango Mango! Developing for Windows Phone 7 THAILAND. Microsoft Innovation Center Manager

Size: px
Start display at page:

Download "Pongsakorn Poosankam. Mango Mango! Developing for Windows Phone 7 THAILAND. Microsoft Innovation Center Manager"

Transcription

1 THAILAND Microsoft Thailand Limited Pongsakorn Poosankam Microsoft Innovation Center Manager Mango Mango! Developing for Windows Phone 7

2 Timeline of Windows Phone Date Change Feb 2010 WP7 official unveiled (WMC 2010) Apr 2010 Developer tools announced (MIX2010) Oct 2010 Launched in Europe Nov 2010 Launched in North America Feb 2011 Partnership with Nokia Announced Mar 2011 No-Do, Minor Update, Copy and Past Nov 2011 Mango, 7.5 Major Update Cloud and Integration Services App Model UI Model Software Foundation Hardware Foundation

3 List of Windows Phone Devices

4 Cloud and Integration Services Hardware Foundation App Model UI Model Software Foundation Hardware Foundation

5 Hardware Foundation Updates Capacitive touch 4 or more contact points Sensors Motion Sensor A-GPS, Accelerometer, Compass, Light, Proximity, Camera 5 mega pixels or more Multimedia Common detailed specs, Codec acceleration Memory 256MB RAM or more, 8GB Flash or more GPU DirectX 9 acceleration Gyro Improved capability detection APIs CPU Qualcomm MSM8x55 800Mhz or higher MSM7x30 Hardware buttons Back, Start, Search

6 Accelerometer Measures resultant acceleration (force) on device +Y Pros: Available on all devices Cons: Difficult to tell apart small orientation changes from small device motions -X -Z +X 6

7 Camera Access to live camera stream PhotoCamera Silverlight 4 Webcam Display in your app Video Brush

8 When to use each approach PhotoCamera Take High Quality Photos Handle Hardware Button Handle Flash mode and Focus Access Samples (Pull Model) Webcam Record Video Record Audio Share code with desktop Access Samples (Push Model)

9 Camera Demo

10 Gyroscope Measures rotational velocity on 3 axis Optional on Mango phones Not present in pre-mango WP7 phones 1 0

11 Gyroscope API 11

12 Motion Sensor Virtual sensor, combines gyro + compass + accelerometer Motion Sensor vs. gyro or compass or accelerometer More accurate Faster response times Comparatively low drift Can disambiguate motion types Has fall-back if gyro is not available Always prefer Motion Sensor when available 1 2

13 Motion API if (Motion.IsSupported) { _sensor = new Motion(); _sensor.currentvaluechanged += new EventHandler<SensorReadingEventArgs<MotionReading>> (sensor_currentvaluechanged); _sensor.start(); } void _sensor_currentvaluechanged(object sender, SensorReadingEventArgs<MotionReading> e) { Simple3DVector rawacceleration = new Simple3DVector( e.sensorreading.gravity.acceleration.x, e.sensorreading.gravity.acceleration.y, e.sensorreading.gravity.acceleration.z); }

14 Motion Sensor Adapts to Devices Accelerometer Compass Gyro Motion Yes Yes Yes Full Yes Yes No Degraded Yes No Yes Unsupported Yes No No Unsupported Degraded modes have lower quality approximations When Motion.IsSupported is false, apps should use accelerometer or other input and control mechanisms 1 4

15 Sensor Calibration Calibration Event is fired when calibration is needed Both Compass and Motion sensors need user calibration Apps should handle it Provide UI asking user to move device through a full range of orientations Not handling will cause inaccurate readings We are considering providing copy & paste solution

16 Accelerometer Simulator GPS Simulator Demo

17 Cloud and Integration Services Software Foundation App Model UI Model Software Foundation Hardware Foundation

18 Run-time improvements Silverlight 4 Implicit styles RichTextBox ViewBox More touch events (tap, double tap) Features Sockets Clipboard IME WebBrowser (IE9) VideoBrush Performance Gen GC Input thread Working set Profiler

19 Networking Sockets TCP UDP unicast, Multicast ( on Wi-Fi) Connection Manager Control Overrides and sets preferences (e.g. Wi-Fi or cellular only) HTTP Full header access WebClient returns in originating thread

20 Silverlight and XNA Shared Graphics XNA inside Silverlight App Integration at Page Level XNA takes over rendering Integration at Element level Silverlight elements in XNA pipeline via UIElementRenderer Shared input

21 Silverlight + XNA demo

22 Local database SQL Compact Edition Use object model for CRUD LINQ to SQL to query, filter, sort Application level access Sandboxed from other apps Uses IsolatedStorage Access for background agents DatabaseSchemaUpdater APIs for upgrades SQL CE

23 Database APIs: Datacontext and attributes // Define the data context. public partial class WineDataContext : DataContext { public Table<Wine> Wines; public Table<Vineyard> Vineyards; public WineDataContext(string connection) : base(connection) { } } // Define the tables in the database [Table] public class Wine { [Column(IsPrimaryKey=true] public string WineID { get; set; } [Column] public string Name { get; set; } } // Create the database form data context, using a connection string DataContext db = new WineDataContext("isostore:/wineDB.sdf"); if (!db.databaseexists()) db.createdatabase();

24 Queries: Examples // Find all wines currently at home, ordered by date acquired var q = from w in db.wines where w.varietal.name == Shiraz && w.isathome == true orderby w.dateacquired select w; Wine newwine = new Wine { WineID = 1768", Name = Windows Phone Syrah", Description = Bold and spicy" }; db.wines.insertonsubmit(newwine); db.submitchanges();

25 Local database demo

26 Cloud and Integration Services Application Model App Model UI Model Software Foundation Hardware Foundation

27 Fast Application Resume Immediate Resume of recently used applications Apps stay in memory after deactivation New task switcher Long-press back button While dormant Apps are not getting CPU cycles Resources are detached You must recompile and resubmit targeting Mango

28 Fast App Resume demo

29 Multi-tasking Options Background Transfer Service Background Audio Background Agents Periodic On Idle Alarms and Reminders 29

30 Generic Agent Types Periodic Agents Occurrence Every 30 min Duration ~15 seconds Constraints <= 6 MB Memory <=10% CPU On Idle Agents Occurrence External power, non-cell network Duration 10 minutes Constraints <= 6 MB Memory

31 Background Agent Functionality Allowed Restricted Tiles Toast Location Network R/W ISO store Sockets Most framework APIs Display UI XNA libraries Microphone and Camera Sensors Play audio (may only use background audio APIs)

32 Notifications Time-based, on-phone notifications Supports Alerts & Reminders Persist across reboots Adheres to user settings Consistent with phone UX

33 Alarms API Alarms using Microsoft.Phone.Scheduler; private void AddAlarm(object sender, RoutedEventArgs e) { Alarm alarm = new Alarm("Long Day"); alarm.begintime = DateTime.Now.AddSeconds(15); alarm.content = "It's been a long day. Go to bed."; alarm.title = "Alarm"; } ScheduledActionService.Add(alarm); 35

34 Reminders API Reminders using Microsoft.Phone.Scheduler; private void AddReminder(object sender, RoutedEventArgs e) { Reminder reminder = new Reminder("CompanyMeeting"); reminder.begintime = DateTime.Now.AddSeconds(15); reminder.content = "Soccer Fields by The Commons"; reminder.title = "Microsoft Annual Company Product Fair 2009"; reminder.recurrencetype = RecurrenceInterval.Yearly; reminder.navigationuri = new Uri("/Reminder.xaml", UriKind.Relative); } ScheduledActionService.Add(reminder); 36

35 Background Transfer Service Start transfer in foreground, complete in background, even if app is closed Queue persists across reboots Queue size limit = 5 Queue APIs (Add, Remove, Query status) Single service for many apps, FIFO Download ~20 MB ( > over Wi-Fi) Upload Size ~4 MB (limit to come) Transfers to Isolated Storage

36 Background Transfer Service using Microsoft.Phone.BackgroundTransfer; API void DownloadWithBTS(Uri sourceuri, Uri destinationpath) { btr = new BackgroundTransferRequest(sourceUri, destinationuri); btr.transferstatuschanged += BtsStatusChanged; btr.transferprogresschanged += BtsProgressChanged; BackgroundTransferService.Add(btr); } void BtsProgressChanged(object sender, BackgroundTransferEventArgs e) { DrawProgressBar(e.Request.BytesReceived); }

37 Cloud and Integration Services Cloud and Integration Services App Model UI Model Software Foundation Hardware Foundation

38 Live Tile improvements Local Tile APIs Full control of ALL properties Multiple tiles per app Create,Update/Delete/Query Launches direct to Uri

39 Live Tiles Local Tile API Continued Back of tile updates Full control of all properties when your app is in the foreground or background Content, Title, Background Content string is bigger Content Background Title Title Flips from front to back at random interval Smart logic to make flips asynchronous

40 Live tiles demo

41 Push Notifications (Core) Enhancements Reliability New TDET mechanism for broader network compatibility Efficiency Concurrent tile downloads for less radio uptime Performance Faster state machine for faster client service Smarter queue logic for less redundancy

42 New Choosers and Launchers SaveRingtoneTask AddressChooseTask BingMapsTask BingMapsDirectionsTask GameInviteTask Updates: AddressChooserTask PhoneNumberChooserTask

43 Can do. Microsoft Push Apple Push Storage (Tables, Blobs and Queues) SQL Azure Computation Can do. OCR in The Cloud Speech to Text in The Cloud Identification Mapping English to Thai Dictionary from Thai Software Enterprise use OCR in the Cloud.

44 Announcing 4 New Global Publishers Who Where How App Port 13 countries in East Asia APPA Market 19 countries in Central Europe Device7 China MTel China Yalla Apps 69 countries in Middle East and Africa (Included Thailand) Helping more developers from more countries Unlock Phones Submit apps to Marketplace

45 Marketplace Distribution Options Beta Private Public Number of users 100 (1) unlimited unlimited App Price Must be free Can be paid Can be paid Time Limited Yes, expires after 90d No No Updateable No Yes Yes Certification Required No Yes Yes Publicly Discoverable No No (2) Yes Access Control Yes, limited to test user WLIDs provided No No Target Users Beta users Private Users Public Users

46 The Marketplace Test Kit The Marketplace Test Kit lets you perform the same tests on your application before you submit it Vastly improves chances of the application passing first time 5 0

47 MyDolls Developed by Students $0.99 Top Paid in Social Category 3 rd Student from Com. Sci., Chulalongkorn University 51

48 How to submit app via publisher. Register at with Thai developer, and submit by yourself. ($99 for register) For Paid App and Free App Or, Send your XAP file and Description to Me. Free, no charge Free App Only 1-2 Weeks for approval See more detail : or

49 Resources

50 THAILAND Microsoft Thailand Limited Pongsakorn Poosankam Microsoft Innovation Center Manager Thank you. Q&A

brief contents PART 1 INTRODUCING WINDOWS PHONE... 1 PART 2 CORE WINDOWS PHONE... 57

brief contents PART 1 INTRODUCING WINDOWS PHONE... 1 PART 2 CORE WINDOWS PHONE... 57 brief contents PART 1 INTRODUCING WINDOWS PHONE... 1 1 A new phone, a new operating system 3 2 Creating your first Windows Phone application 30 PART 2 CORE WINDOWS PHONE... 57 3 Fast application switching

More information

Windows Phone - eine Einführung. Dr. Frank Prengel Technologieberater Microsoft Deutschland GmbH

Windows Phone - eine Einführung. Dr. Frank Prengel Technologieberater Microsoft Deutschland GmbH Windows Phone - eine Einführung Dr. Frank Prengel Technologieberater Microsoft Deutschland GmbH frankpr@microsoft.com Rückblick 2 Eine Dekade Windows Mobile Security Management Business Apps Devices &

More information

9.3 Launchers and Choosers. Fast Application Switching and Design. Forcing a Program to be removed from memory

9.3 Launchers and Choosers. Fast Application Switching and Design. Forcing a Program to be removed from memory debugging. If you then press the Back button you will find that the program will resume execution after being reactivated. Forcing a Program to be removed from memory When we are testing your program we

More information

Microsoft Corporation

Microsoft Corporation Microsoft Corporation http://www.jeff.wilcox.name/ 2 3 Display 480x800 QVGA Other resolutions in the future Capacitive touch 4+ contact points Sensors A-GPS, Accelerometer, Compass, Light Camera 5+ megapixels

More information

Windows Phone development. Rajen Kishna Technical blog.rajenki.com

Windows Phone development. Rajen Kishna Technical blog.rajenki.com Windows Phone development Rajen Kishna Technical Evangelist @rajen_k blog.rajenki.com rajenki@microsoft.com Evaluations and questions GOTO GUIDE APP Dev Center & Tools Design Principles UI Framework &

More information

Back to the future: sockets and relational data in your (Windows) pocket

Back to the future: sockets and relational data in your (Windows) pocket Back to the future: sockets and relational data in your (Windows) pocket Dragos Manolescu Microsoft, Windows Phone Engineering Hewlett-Packard Cloud Services Background APIs Performance and Health Data

More information

Hawaii Project Tutorial. Brian Zill Microsoft Research

Hawaii Project Tutorial. Brian Zill Microsoft Research Hawaii Project Tutorial Brian Zill Microsoft Research bzill@microsoft.com Talk Outline Overview of Project Illustrative Example Details of What We re Providing Primers on: Windows Mobile Development Hawaii

More information

SE 3S03 - Tutorial 1. Zahra Ali. Week of Feb 1, 2016

SE 3S03 - Tutorial 1. Zahra Ali. Week of Feb 1, 2016 SE 3S03 - Tutorial 1 Department of Computer Science McMaster University naqvis7@mcmaster.ca Week of Feb 1, 2016 testing vs Software Devices and s Devices and s App Device Outline testing vs Software Devices

More information

ios vs Android By: Group 2

ios vs Android By: Group 2 ios vs Android By: Group 2 The ios System Memory Section A43972 Delta Core OS Layer Core Services Layer Media Layer CoCoa Touch Layer Memory Section A43972 Delta Aaron Josephs Core OS Layer - Core OS has

More information

o Processor, disk space, and memory o Screen size and resolution o Certain testing accommodations

o Processor, disk space, and memory o Screen size and resolution o Certain testing accommodations Supported System Requirements for TABE Online Testing Effective October February 2019 This document describes the current system requirements for the DRC INSIGHT Online Learning System, including student-testing

More information

Features: (no need for QR Code)

Features: (no need for QR Code) The Capp-Sure series brings a revolution in surveillance. Utilising a range of high-quality IP Wireless cameras, Capp-Sure provides stunning video clarity and optional Talk-Back audio over internet via

More information

Exam Questions

Exam Questions Exam Questions 98-373 Mobile Development Fundamentals https://www.2passeasy.com/dumps/98-373/ 1.A programming theory that breaks design areas into distinct sections is referred to as: A. Lists. B. Separation

More information

Fusing Sensors into Mobile Operating Systems & Innovative Use Cases

Fusing Sensors into Mobile Operating Systems & Innovative Use Cases Fusing Sensors into Mobile Operating Systems & Innovative Use Cases May 23, 2012 Tristan Joo (tristanjoo@wca.org) Board Director & Co-Chair of Mobile SIG Wireless Communications Alliance, Independent Executive

More information

User Manual. Mobile Viewer Mobile Manager Software (MMS) 1 st Edition : 10 Jan nd Edition : 31 Mar rd Edition : 20 May 2010

User Manual. Mobile Viewer Mobile Manager Software (MMS) 1 st Edition : 10 Jan nd Edition : 31 Mar rd Edition : 20 May 2010 Mobile Viewer Mobile Manager Software (MMS) User Manual The picture might differ according to the specification and model. Contents of this manual are protected under copyrights and computer program laws.

More information

TALK 5H USER S MANUAL

TALK 5H USER S MANUAL TALK 5H USER S MANUAL 2 INTRODUCTION... 5 GETTING STARTED... 5 Important Safety Precautions... 5 Cleaning the Panel... 6 Cleaning the Phone... 6 Features... 6 Buttons overview... 7 What s int he Box...

More information

Khronos and the Mobile Ecosystem

Khronos and the Mobile Ecosystem Copyright Khronos Group, 2011 - Page 1 Khronos and the Mobile Ecosystem Neil Trevett VP Mobile Content, NVIDIA President, Khronos Copyright Khronos Group, 2011 - Page 2 Topics It s not just about individual

More information

Mobile OS Landscape. Agenda. October Competitive Landscape Operating Systems. iphone BlackBerry Windows Mobile Android Symbian

Mobile OS Landscape. Agenda. October Competitive Landscape Operating Systems. iphone BlackBerry Windows Mobile Android Symbian Mobile OS Landscape October 2008 Agenda Competitive Landscape Operating Systems iphone BlackBerry Windows Mobile Android Symbian 2 Smartphone OS Competitive Landscape iphone OS (Apple) BlackBerry OS (RIM)

More information

Smart Home System Kit

Smart Home System Kit Smart Home System Kit IP SECURITY ALARM SERIES More information, please visit the online CD information on the website http//netcam360.com 0 P a g e BRIEF INSTRUCTION 1. Start Infrared box camera a. Install

More information

QVR Pro. Opened Surveillance Platform System. David Tsao

QVR Pro. Opened Surveillance Platform System. David Tsao QVR Pro Opened Surveillance Platform System David Tsao QNAP Surveillance Solution 2010 VioStor NVR 2012 Surveillance Station 2018 QVR Pro Dedicated hardware Closed operating system A NAS App Lightweight

More information

1. Search for ibaby Care in the App Store under phone apps, or in Google Play for all Android devices.

1. Search for ibaby Care in the App Store under phone apps, or in Google Play for all Android devices. M6 port diagrams Status Light DC Power Camera ID USB Port Reset Button DC Power: 5V DC, 2A power adapter (Use official ibaby brand power adapter only) Status Light: Displays 3 unique patterns to show different

More information

V Oplink Security. Software. User Manual. Oplink Communications, Inc. Oplink Communications, Inc. 1

V Oplink Security. Software. User Manual. Oplink Communications, Inc. Oplink Communications, Inc. 1 Oplink Security Software User Manual Oplink Communications, Inc. Oplink Communications, Inc. 1 Contents Getting Started... 5 a.) Set Up Account Using Your Smartphone... 5 b.) Phone Number Verification

More information

Product Retirement Notice

Product Retirement Notice Product Retirement Notice PRN #10-23 December 6, 2010 Honeywell Announces End of Life Plan for Dolphin 7850 Mobile Computer This notice serves as formal communication of Honeywell Scanning & Mobility s

More information

Home8 App. User Manual. home8alarm.com home8care.com. Home8 App User Manual V

Home8 App. User Manual. home8alarm.com home8care.com. Home8 App User Manual V Home8 App User Manual V 3.1.3 home8alarm.com home8care.com 1-844-800-6482 support@home8care.com 1 Table of Contents Chapter 1. Getting Started... 4 a.) Set Up Account Using Your Smartphone... 4 b.) Phone

More information

HEXIWEAR COMPLETE IOT DEVELOPMENT SOLUTION

HEXIWEAR COMPLETE IOT DEVELOPMENT SOLUTION HEXIWEAR COMPLETE IOT DEVELOPMENT SOLUTION NXP SEMICONDUCTORS PUBLIC THE ONLY SUPPLIER TO PROVIDE COMPLETE IoT SOLUTIONS DSPs, MCUs & CPUs Suite of Sensors NFC, BLE, Thread, zigbee, sub-ghz Wireless Interconnects

More information

Developing Applications for ios

Developing Applications for ios Developing Applications for ios Lecture 1: Mobile Applications Development Radu Ionescu raducu.ionescu@gmail.com Faculty of Mathematics and Computer Science University of Bucharest Evaluation Individual

More information

Please Download and install the Wanscam APP before you set up the IP Camera. Search on Google Play store and APP Store for E-View 7

Please Download and install the Wanscam APP before you set up the IP Camera. Search on Google Play store and APP Store for E-View 7 Wanscam User Manual for Mobile Phone APP Download Please Download and install the Wanscam APP before you set up the IP Camera. Search on Google Play store and APP Store for E-View 7 One Key Setting Functionality

More information

Cisco WVC210 Wireless-G Pan Tilt Zoom (PTZ) Internet Video Camera: 2-Way Audio Cisco Small Business Video Surveillance Cameras

Cisco WVC210 Wireless-G Pan Tilt Zoom (PTZ) Internet Video Camera: 2-Way Audio Cisco Small Business Video Surveillance Cameras Cisco WVC210 Wireless-G Pan Tilt Zoom (PTZ) Internet Video Camera: 2-Way Audio Cisco Small Business Video Surveillance Cameras High-Quality, Flexible, Remote-Controlled Wireless Video Solution for Your

More information

User Guide. 3CX Audio Scheduler. Version

User Guide. 3CX Audio Scheduler. Version User Guide 3CX Audio Scheduler Version 15.5.21 "Copyright VoIPTools, LLC 2011-2018" Information in this document is subject to change without notice. No part of this document may be reproduced or transmitted

More information

Wireless PTZ Cloud Camera TV-IP851WC (v1.0r)

Wireless PTZ Cloud Camera TV-IP851WC (v1.0r) (v1.0r) TRENDnet s Wireless PTZ Cloud Camera, model, takes the work out of viewing video over the internet. Previously to view video remotely, users needed to perform many complicated and time consuming

More information

Tizen Framework (Tizen Ver. 2.3)

Tizen Framework (Tizen Ver. 2.3) Tizen Framework (Tizen Ver. 2.3) Spring 2015 Soo Dong Kim, Ph.D. Professor, Department of Computer Science Software Engineering Laboratory Soongsil University Office 02-820-0909 Mobile 010-7392-2220 sdkim777@gmail.com

More information

BEAT 2.0 USER MANUAL

BEAT 2.0 USER MANUAL BEAT 2.0 USER MANUAL FCC ID: 2ADLJBEAT20 The device complies with part 15 of the FCC Rules. Operation is subject to the following two conditions: (1) This device may not cause harmful interference, and

More information

User Guide. BlackBerry 8120 Smartphone

User Guide. BlackBerry 8120 Smartphone User Guide BlackBerry 8120 Smartphone SWD-278813-0204092321-001 Contents BlackBerry basics...11 About typing input methods...11 Type text using SureType technology...11 Switch typing input methods...11

More information

VMware Notification Service v2.0 Installation and Configuration Guide Configure ENS2 for cloud and on-premises deployments

VMware  Notification Service v2.0 Installation and Configuration Guide Configure ENS2 for cloud and on-premises deployments VMware Email Notification Service v2.0 Installation and Configuration Guide Configure ENS2 for cloud and on-premises deployments Workspace ONE UEM v9.5 Have documentation feedback? Submit a Documentation

More information

Cisco WVC210 Wireless-G Pan Tilt Zoom (PTZ) Internet Video Camera: 2-Way Audio Cisco Small Business Video Surveillance Cameras

Cisco WVC210 Wireless-G Pan Tilt Zoom (PTZ) Internet Video Camera: 2-Way Audio Cisco Small Business Video Surveillance Cameras Cisco WVC210 Wireless-G Pan Tilt Zoom (PTZ) Internet Video Camera: 2-Way Audio Cisco Small Business Video Surveillance Cameras High-Quality, Flexible, Remote-Controlled Wireless Video Solution for Your

More information

Quick Start Guide.

Quick Start Guide. Quick Start Guide www.c-me.de Specifications: Size: 130 x65x24mm folded Weight: 150g WiFi: 2.4 GHz Image Sensor: 1/2.3 CMOS Video: 1080P 30 fps* Photo: 8MP* Format: JPG/MP4 (MPEG-4 AVC/H.264) Battery:

More information

Overview. Background. Intelligence at the Edge. Learning at the Edge: Challenges and Brainstorming. Amazon Alexa Smart Home!

Overview. Background. Intelligence at the Edge. Learning at the Edge: Challenges and Brainstorming. Amazon Alexa Smart Home! Overview Background Intelligence at the Edge Samsung Research Learning at the Edge: Challenges and Brainstorming Amazon Alexa Smart Home! Background Ph.D. at UW CSE RFID, Mobile, Sensors, Data Nokia Research

More information

MAD Gaze x HKCS. Best Smart Glass App Competition Developer Guidelines VERSION 1.0.0

MAD Gaze x HKCS. Best Smart Glass App Competition Developer Guidelines VERSION 1.0.0 MAD Gaze x HKCS Best Smart Glass App Competition Developer Guidelines VERSION 1.0.0 20 MAY 2016 Table of Contents 1. Objective 2. Hardware Specification 3. Operating MAD Gaze 4. Hardware Sensors 4.1 Accelerometer

More information

VMware Notification Service v2.0 Installation and Configuration Guide Configure ENS2 for cloud and on-premises deployments

VMware  Notification Service v2.0 Installation and Configuration Guide Configure ENS2 for cloud and on-premises deployments VMware Email Notification Service v2.0 Installation and Configuration Guide Configure ENS2 for cloud and on-premises deployments Workspace ONE UEM v1810 Have documentation feedback? Submit a Documentation

More information

Mobile Internet Devices and the Cloud

Mobile Internet Devices and the Cloud Mobile Internet Devices and the Cloud What Is a Smartphone? Mobile Operating Systems for Smartphones 1. iphone 2. Google (Android) 3. Blackberry 4. Windows Mobile 5. Ubuntu Mobile Internet Device (MID)

More information

Qpad X5 User Guide Hi-Target Surveying Instrument Co., Ltd. All Rights Reserved

Qpad X5 User Guide Hi-Target Surveying Instrument Co., Ltd. All Rights Reserved Qpad X5 User Guide Hi-Target Surveying Instrument Co., Ltd. All Rights Reserved Manual Revision Preface File number: Revision Date Revision Level Description 2016-06-03 1 Qpad X5 User Guide II Qpad X5

More information

Gladius Video Management Software

Gladius Video Management Software Gladius Video Management Software Overview Gladius is a comprehensive, enterprise grade, open platform video management software solution for enterprise and city surveillance IP surveillance installations

More information

FOR ALL YOUR GADGET REQUIREMENTS

FOR ALL YOUR GADGET REQUIREMENTS FOR ALL YOUR GADGET REQUIREMENTS Tel: 011 867 6453 Email: info@gadgetemporium.co.za Web: www.gadgetemporium.co.za Facebook: gadgetemporium COMPANY PORTFOLIO Gadget Emporium is a young vibrant company that

More information

Manual Apple Ipad Mini 2 Release Date 2013 Us

Manual Apple Ipad Mini 2 Release Date 2013 Us Manual Apple Ipad Mini 2 Release Date 2013 Us The ipad Mini 2 shrinks down the ipad Air into an even more compact In the meantime, note that the ipad Mini 2 reviewed here (first released in 2013) is the

More information

Evidence.com February 2017 Release Notes

Evidence.com February 2017 Release Notes Evidence.com February 2017 Document Revision: B Evidence.com Version 2017.2 Apple, ios, and Safari are trademarks of Apple, Inc. registered in the US and other countries. Firefox is a trademark of The

More information

VMware Notification Service v2.0 Installation and Configuration Guide Configure ENSv2 for cloud and on-premises deployments

VMware  Notification Service v2.0 Installation and Configuration Guide Configure ENSv2 for cloud and on-premises deployments VMware Email Notification Service v2.0 Installation and Configuration Guide Configure ENSv2 for cloud and on-premises deployments Workspace ONE UEM v9.4 Have documentation feedback? Submit a Documentation

More information

ARM Multimedia IP: working together to drive down system power and bandwidth

ARM Multimedia IP: working together to drive down system power and bandwidth ARM Multimedia IP: working together to drive down system power and bandwidth Speaker: Robert Kong ARM China FAE Author: Sean Ellis ARM Architect 1 Agenda System power overview Bandwidth, bandwidth, bandwidth!

More information

VR Development Platform

VR Development Platform VR Development Platform The Qualcomm Snapdragon VR820 headset is a VR development platform based on the Qualcomm Snapdragon 820 (APQ8096) processor by Qualcomm Technologies, Inc. Quick Start Guide Most

More information

AXIS Camera Station 5.13 Migration guide From version 5.12 (or below) to version 5.13 and above

AXIS Camera Station 5.13 Migration guide From version 5.12 (or below) to version 5.13 and above AXIS Camera Station 5.13 Migration guide From version 5.12 (or below) to version 5.13 and above Goal AXIS Camera Station 5.13 introduces a lot of updates in the user interface, including new placement

More information

Introducing Linxs Executive Summary - Q2/2018. Linxs by New Tinxs NV/SA

Introducing Linxs Executive Summary - Q2/2018. Linxs by New Tinxs NV/SA Introducing Linxs Executive Summary - Q2/2018 Linxs by New Tinxs NV/SA With Linxs, we rent you a secure connection between your remote assets & cloud infrastructure. We will deliver you your IoT data in

More information

Embedded Software: Its Growing Influence on the Hardware world

Embedded Software: Its Growing Influence on the Hardware world Embedded Software: Its Growing Influence on the Hardware world ISA Vision Summit 2009, Bangalore 16 th FEB 09 V. R. Venkatesh Head, Product Engineering Services, Wipro Technologies. Wipro in Product Engineering

More information

Developing Native Windows Phone 7 Applications for SharePoint

Developing Native Windows Phone 7 Applications for SharePoint Developing Native Windows Phone 7 Applications for SharePoint Steve Pietrek Cardinal Solutions About Cardinal OUR FOCUS: Enterprise Rich Internet Applications Mobile Solutions Portals & Collaboration Business

More information

Simpli.Fi. App for wifi DK series cameras OWNER'S MANUAL. APP DSE Simpli.Fi for Wi-Fi DK series cameras. Product description. Download DSE Simpli.

Simpli.Fi. App for wifi DK series cameras OWNER'S MANUAL. APP DSE Simpli.Fi for Wi-Fi DK series cameras. Product description. Download DSE Simpli. Page: 1 Simpli.Fi App for wifi DK series cameras Product description Simpli.Fi is THE app to control all our WIFI hidden cameras to investigate Series DK. Our investigation for cameras are IP cameras to

More information

Getting Started Select Wireless Manager. Wireless Manager Window. To enable or disable a wireless connection, tap the specific button.

Getting Started Select Wireless Manager. Wireless Manager Window. To enable or disable a wireless connection, tap the specific button. Getting Started 1-11 Select Wireless Manager. Figure 1-10 Wireless Manager Window To enable or disable a wireless connection, tap the specific button. To enable or disable all wireless connections, tap

More information

Smart Mobile Identity. Revolutionizing biometric identity verification

Smart Mobile Identity. Revolutionizing biometric identity verification Smart Mobile Identity Revolutionizing biometric identity verification Introduction Mobile devices are poised to transform the biometric industry and greatly broaden the use of biometrics for identity verification.

More information

<Students names redacted>

<Students names redacted> For our project we looked into information leaking on three Android/Windows/iPhone and created an app for the Windows 7 phone to test its vulnerabilities. The specific vulnerability

More information

MOC 20481C: Essentials of Developing Windows Store Apps Using HTML5 and JavaScript

MOC 20481C: Essentials of Developing Windows Store Apps Using HTML5 and JavaScript MOC 20481C: Essentials of Developing Windows Store Apps Using HTML5 and JavaScript Course Overview This course provides students with the knowledge and skills to develop Windows Store Apps using HTML5

More information

How Do I Delete Multiple Text Messages On My

How Do I Delete Multiple Text Messages On My How Do I Delete Multiple Text Messages On My Iphone 5 Oct 4, 2014. I have reset all settings and rebooted multiple times. The only resolution I have found is to shut my phone down and restart it, but this

More information

VMware Notification Service v2.0 Installation and Configuration Guide Configure ENS2 for cloud and on-premises deployments

VMware  Notification Service v2.0 Installation and Configuration Guide Configure ENS2 for cloud and on-premises deployments VMware Email Notification Service v2.0 Installation and Configuration Guide Configure ENS2 for cloud and on-premises deployments Workspace ONE UEM v9.7 Have documentation feedback? Submit a Documentation

More information

Tablet PC. Android 5.1 User Manual

Tablet PC. Android 5.1 User Manual Tablet PC Android 5.1 User Manual Tablet of Contents Specifications. What s inside the box Tablet Parts Getting started... How to use TF card How to connect to PC Connection to Internet.. Camera. Trouble

More information

Switching To Manual Network Selection Iphone 4 Ios 7

Switching To Manual Network Selection Iphone 4 Ios 7 Switching To Manual Network Selection Iphone 4 Ios 7 You can view or edit the APN for cellular data services on iphone and ipad. Search Support If your carrier allows it, you can view the APN settings

More information

Cove Apple Club March 9, 2011

Cove Apple Club March 9, 2011 Cove Apple Club March 9, 2011 Tonight s Topics Apple in the news ipad 2 / ios 4.3 Wired s irresponsible cover & story Preview ipad 2 Media Event ipad 2 Media Event Just 11 months and 8 days after delivering

More information

GV-Recording Server / Video Gateway Version History

GV-Recording Server / Video Gateway Version History Contents GV-Recording Server / Video Gateway V1.4.0.0 2018-01-11... 2 GV-Recording Server / Video Gateway V1.3.0.0 2016-05-20... 4 GV-Recording Server / Video Gateway V1.2.5.0 2015-03-06... 5 GV-Recording

More information

Table of Contents. Page 2

Table of Contents. Page 2 Table of Contents Table of Contents... 2 Section 1: About the COBIT 2019 Foundation Certificate Program... 3 a. About the COBIT 2019 Foundation Certificate program... 3 b. About the COBIT 2019 Foundation

More information

SC550W WIFI IP HIDDEN CAMERA

SC550W WIFI IP HIDDEN CAMERA USER MANUAL SC550W WIFI IP HIDDEN CAMERA 1 YEAR WARRANTY All RecorderGear brand products are backed by our 1 Year Warranty. For full details visit WWW.RECORDERGEAR.COM This Device is Compliant with USA

More information

DeltaV Mobile. Introduction. Product Data Sheet September DeltaV Distributed Control System

DeltaV Mobile. Introduction. Product Data Sheet September DeltaV Distributed Control System DeltaV Distributed Control System Product Data Sheet September 2017 DeltaV Mobile Make faster and better decisions with secure, read-only access to your critical operational data, whenever and wherever

More information

271 Waverley Oaks Rd. Telephone: Suite 206 Waltham, MA USA

271 Waverley Oaks Rd. Telephone: Suite 206 Waltham, MA USA Contacting Leostream Leostream Corporation http://www.leostream.com 271 Waverley Oaks Rd. Telephone: +1 781 890 2019 Suite 206 Waltham, MA 02452 USA To submit an enhancement request, email features@leostream.com.

More information

Notification Services

Notification Services , page 1 Service Option Configuration, page 9 Notification in Policy Builder relates to pushing messages from Policy Builder to subscribers. Service Providers can use messages to alert the subscriber to

More information

Avigilon Control Center 4.12 Release Notes

Avigilon Control Center 4.12 Release Notes Version 4.12.0.22 Released August 7, 2012 V2.4.0.20 for HD H.264 H3 cameras V2.2.0.6 for HD H.264 cameras V2.2.0.4 for H.264 encoders V4.4.0.6 for JPEG2000 encoders V4.4.0.2 for JPEG2000 cameras and encoders

More information

ThorPCX Service Software 3.5 User Manual

ThorPCX Service Software 3.5 User Manual ThorPCX Service Software 3.5 User Manual I. Requirements The ThorPCX Service software will install on any Windows Operating System currently supported by Microsoft. At least 2GB of usable RAM is recommended.

More information

CEO Position starts January 2012

CEO Position starts January 2012 CEO Position starts January 2012 Peter Hirsch It is a Cell Phone (of course) It is a Video Conferencing Phone It is a Digital HD Camera (Photos and Videos) It is a MP3 Player (Music Player) It is a Digital

More information

Fleet Management - Smart, Secure and Easy

Fleet Management - Smart, Secure and Easy Fleet Management - Smart, Secure and Easy Automile is a comprehensive fleet management solution to monitor both company and service vehicles and provide rich insights. Our hardware requires no installation

More information

EMBEDDED VISION AND 3D SENSORS: WHAT IT MEANS TO BE SMART

EMBEDDED VISION AND 3D SENSORS: WHAT IT MEANS TO BE SMART EMBEDDED VISION AND 3D SENSORS: WHAT IT MEANS TO BE SMART INTRODUCTION Adding embedded processing to simple sensors can make them smart but that is just the beginning of the story. Fixed Sensor Design

More information

Sit all three speakers next to each other, starting with the Echo and ending with the Dot, and you'd get one tall, one medium, and one short.

Sit all three speakers next to each other, starting with the Echo and ending with the Dot, and you'd get one tall, one medium, and one short. Echo Tap Dot Sit all three speakers next to each other, starting with the Echo and ending with the Dot, and you'd get one tall, one medium, and one short. The differences between Amazon's speakers aren't

More information

ThinkPad Yoga 370 Platform Specifications

ThinkPad Yoga 370 Platform Specifications ThinkPad Yoga 370 Platform Specifications Product Specifi cations Reference (PSREF) Processor Graphics Chipset Memory Display Multi-touch Hinge Convert-mode Pen Storage Optical Ethernet WLAN Bluetooth

More information

PRODUCT OBJECTIVES. Stream live videos and receive alerts in moment with advance features of AmbiCam.

PRODUCT OBJECTIVES. Stream live videos and receive alerts in moment with advance features of AmbiCam. PRODUCT OBJECTIVES Keeping in mind the need of technology and a proper surveillance activities for the safety of the society and economy, AmbiCam here have come up with its very new product call AmbiCam

More information

SC600W WIFI IP HIDDEN CAMERA

SC600W WIFI IP HIDDEN CAMERA USER MANUAL SC600W WIFI IP HIDDEN CAMERA 1 YEAR WARRANTY All RecorderGear brand products are backed by our 1 Year Warranty. For full details visit WWW.RECORDERGEAR.COM This Device is Compliant with USA

More information

Firefox OS App Days. Overview and High Level Architecture. Author: José M. Cantera Last update: March 2013 TELEFÓNICA I+D

Firefox OS App Days. Overview and High Level Architecture. Author: José M. Cantera Last update: March 2013 TELEFÓNICA I+D Firefox OS App Days Overview and High Level Architecture Author: José M. Cantera (@jmcantera) Last update: March 2013 TELEFÓNICA I+D 1 Introduction What is Firefox OS? A new mobile open OS fully based

More information

70-482Q&As. Advanced Windows Store App Dev using HTML5 and JavaScript. Pass Microsoft Exam with 100% Guarantee

70-482Q&As. Advanced Windows Store App Dev using HTML5 and JavaScript. Pass Microsoft Exam with 100% Guarantee 70-482Q&As Advanced Windows Store App Dev using HTML5 and JavaScript Pass Microsoft 70-482 Exam with 100% Guarantee Free Download Real Questions & Answers PDF and VCE file from: 100% Passing Guarantee

More information

Nuance. PowerMic Mobile. Installation and Administration Guide

Nuance. PowerMic Mobile. Installation and Administration Guide Nuance PowerMic Mobile Installation and Administration Guide Table of contents Welcome to PowerMic Mobile 3 System requirements 4 Hardware and software requirements 4 Network requirements 4 System sizing

More information

Browser Supported Browser Version(s) Maintenance Browser Version(s)

Browser Supported Browser Version(s) Maintenance Browser Version(s) Browser support D2L is committed to performing key application testing when new browser versions are released. New and updated functionality is also tested against the latest version of supported browsers.

More information

Oct 12, 2013 The Kindle Fire HDX is great for consuming content through Amazon, but it's not as fully featured as other tablets.

Oct 12, 2013 The Kindle Fire HDX is great for consuming content through Amazon, but it's not as fully featured as other tablets. Kindle Fire HDX: Go From Kindle Fire HDX Beginner To Master In 1 Hour Or Less! (Kindle Fire HDX For Beginners: The Complete Guide To Mastering Your Device Quickly) By James Alan Driver READ ONLINE Dec

More information

Honor 3C (H30-U10) Mobile Phone V100R001. Product Description. Issue 01. Date HUAWEI TECHNOLOGIES CO., LTD.

Honor 3C (H30-U10) Mobile Phone V100R001. Product Description. Issue 01. Date HUAWEI TECHNOLOGIES CO., LTD. V100R001 Issue 01 Date 2014-03-12 HUAWEI TECHNOLOGIES CO., LTD. . 2014. All rights reserved. No part of this document may be reproduced or transmitted in any form or by any means without prior written

More information

1.3 Mega-Pixel Video Quality

1.3 Mega-Pixel Video Quality AirCam OD-600HD H.264 1.3 MegaPixel PTZ Vandal Proof Dome T he AirLive AirCam OD-600HD is a high-end 1.3 MegaPixel network camera designed for professional outdoor surveillance and security applications.

More information

Digital Marketing, Privacy, and New Technologies. Jules Polonetsky, CEO Future of Privacy Forum

Digital Marketing, Privacy, and New Technologies. Jules Polonetsky, CEO Future of Privacy Forum Digital Marketing, Privacy, and New Technologies Jules Polonetsky, CEO Future of Privacy Forum 9.26.17 Future of Privacy Forum The Members 140+ Companies 25+ Leading Academics 10+ Advocates The Mission

More information

How Tizen Compliance Reduces Fragmentation

How Tizen Compliance Reduces Fragmentation How Tizen Compliance Reduces Fragmentation Mats Wichmann Samsung Open Source Group mats@osg.samsung.com Topics The Problem Compliance Goals State of the program Compliance Profiles Feature comparison:

More information

EMBEDDED SYSTEMS PROGRAMMING Accessing Hardware

EMBEDDED SYSTEMS PROGRAMMING Accessing Hardware EMBEDDED SYSTEMS PROGRAMMING 2016-17 Accessing Hardware HARDWARE LIST Accelerometer Vector magnetometer (compass) Gyroscope GPS and/or other location facilities (Front/rear) camera Microphone Speaker Battery

More information

Getting to know your ipad exploring the settings, App store, Mail

Getting to know your ipad exploring the settings, App store, Mail Getting to know your ipad exploring the settings, App store, Mail Exploring the settings Open the settings app from your homepage Wi-Fi Turn Wi-Fi on/off Add new Wi-Fi Connection Enter Network Name, any

More information

Advance Windows Phone Development. Akber Alwani Window Phone 7 Development EP.NET Professionals User Group

Advance Windows Phone Development. Akber Alwani Window Phone 7 Development EP.NET Professionals User Group Advance Windows Phone Development Akber Alwani Window Phone 7 Development EP.NET Professionals User Group http://www.epdotnet.com 7 Agenda Page Navigation Application Bar and System tray Orientation-Aware

More information

ALIBI Witness 2.0 v3 Smartphone App for Apple ios Mobile Devices User Guide

ALIBI Witness 2.0 v3 Smartphone App for Apple ios Mobile Devices User Guide ALIBI Witness 2.0 v3 Smartphone App for Apple ios Mobile Devices User Guide ALIBI Witness 2.0 v3 is a free application (app) for Apple ios (requires ios 7.0 or later). This app is compatible with iphone,

More information

Avigilon Control Center 4.12 Release Notes

Avigilon Control Center 4.12 Release Notes Version 4.12.0.32 Released December 21, 2012 V2.4.2.28 for HD H.264 H3 cameras V2.2.0.14 for HD H.264 cameras V2.2.0.16 for H.264 encoders V4.4.0.6 for JPEG2000 encoders Added updated firmware for H264

More information

RELEASE NOTES Onsight Connect for Windows Software Version 8.1

RELEASE NOTES Onsight Connect for Windows Software Version 8.1 RELEASE NOTES Onsight Connect for Windows Software Version 8.1 May 2017 Table of Contents Overview... 4 Software Requirements and Installation... 4 Software Release Notes for Onsight Connect Version 8.1.11...

More information

Terminal Service Department. Y210 training course HUAWEI TECHNOLOGIES CO., LTD.

Terminal Service Department. Y210 training course HUAWEI TECHNOLOGIES CO., LTD. Terminal Service Department Y210 training course www.huawei.com 2012-11 HUAWEI TECHNOLOGIES CO., LTD. Content Chapter 1 Chapter 2 Chapter 3 Chapter 4 Chapter 5 Y210 Product Introduction Y210 Main Features

More information

IN-SESSION ROOM SCHEDULER

IN-SESSION ROOM SCHEDULER SETUP GUIDE: COMMON SETTINGS RS-TOUCH SERIES IN-SESSION ROOM SCHEDULER 24/7 AT OR BLACKBOX.COM TABLE OF CONTENTS 1. INTRODUCTION... 3 1.1 Description... 3 1.2 Network Infrastructure Requirements... 3 1.3

More information

Open Source Library Developer & IT Pro

Open Source Library Developer & IT Pro Open Source Library Developer & IT Pro Databases LEV 5 00:00:00 NoSQL/MongoDB: Buildout to Going Live INT 5 02:15:11 NoSQL/MongoDB: Implementation of AngularJS INT 2 00:59:55 NoSQL: What is NoSQL INT 4

More information

Qualcomm Snapdragon Technologies

Qualcomm Snapdragon Technologies March 2018 Game Developer Conference (GDC) Qualcomm Snapdragon Technologies Hiren Bhinde, Director, XR Product Management Qualcomm Technologies, Inc. Qualcomm Technologies announcements & updates Snapdragon

More information

Wireless Day / Night PTZ Cloud Camera TV-IP851WIC (v1.0r)

Wireless Day / Night PTZ Cloud Camera TV-IP851WIC (v1.0r) (v1.0r) TRENDnet s Wireless N Day / Night PTZ Cloud Camera, model, takes the work out of viewing video over the internet. Previously to view video remotely, users needed to perform many complicated and

More information

ElasterStack 3.2 User Administration Guide - Advanced Zone

ElasterStack 3.2 User Administration Guide - Advanced Zone ElasterStack 3.2 User Administration Guide - Advanced Zone With Advance Zone Configuration TCloud Computing Inc. 6/22/2012 Copyright 2012 by TCloud Computing, Inc. All rights reserved. This document is

More information

INTERNATIONAL JOURNAL OF PURE AND APPLIED RESEARCH IN ENGINEERING AND TECHNOLOGY

INTERNATIONAL JOURNAL OF PURE AND APPLIED RESEARCH IN ENGINEERING AND TECHNOLOGY INTERNATIONAL JOURNAL OF PURE AND APPLIED RESEARCH IN ENGINEERING AND TECHNOLOGY A PATH FOR HORIZING YOUR INNOVATIVE WORK A REVIEW ON THE ARCHITECTURE OF ANDROID IN SMART PHONES RAVNEET KAUR T. BAGGA 1,

More information

BlackVue App Manual. Contents

BlackVue App Manual. Contents BlackVue App Manual Contents Connecting to BLACKVUE CLOUD... 3 (A) Create an account... 3 (B) Register your dashcam with your account... 3 (C) Connect your BlackVue dashcam to a Wi-Fi hotspot for Cloud

More information

DIESEL ON: FAQS I PRESS THE BUTTON BUT THE HANDS JUST SPIN AROUND ONCE AND THEN STOP. WHAT'S WRONG?

DIESEL ON: FAQS I PRESS THE BUTTON BUT THE HANDS JUST SPIN AROUND ONCE AND THEN STOP. WHAT'S WRONG? DIESEL ON: FAQS GENERAL SET-UP & APP PAIRING-SYNCING BATTERY FEATURES ACTIVITY TRAINING 3RD PART INTEGRATION SLEEP SLEEP TRACKING GOAL TRACKING LINK NOTIFICATIONS ACCOUNT AND DEVICE SETTING PRIVACY GENERAL

More information