Developing Cross-Platform.NET Apps with ArcGIS Runtime

Size: px
Start display at page:

Download "Developing Cross-Platform.NET Apps with ArcGIS Runtime"

Transcription

1 Esri Developer Summit March 8 11, 2016 Palm Springs, CA Developing CrossPlatform.NET Apps with ArcGIS Runtime Antti Kajanus Thad Tilton

2 Session overview Crossplatform options Xamarin Why it s a good option Forms versus Native Incorporating existing.net code Strategies for sharing code Good design to isolate platformspecific code Compiler conditionals Dependency injection Sharing ArcGIS Runtime implementation

3 Crossplatform The good, the bad, and the ugly Good Makes your app available to more users Enforces good design patterns Bad User experience and quality of your app may vary Requires more testing Ugly Creating platformspecific UIs Handling platform idiosyncrasies (security, bugs, etc)

4 Options for creating crossplatform apps Html5 and JavaScript: Sencha, PhoneGap, Appcelerator Titanium C# Development: Xamarin, Alpha Anywhere, Unity 3D Crossplatform ArcGIS Runtime SDKs Java,.NET Qt (C++ / QML) Xamarin

5 Why Xamarin is a good option Fully native ios and Android apps Exposes all functionality of the ios and Android APIs Ability to share the majority of an app s code (60100%) Performance: code is compiled to native binary, not interpreted Immediate updates to support ios and Android releases Support for 3rdparty.NET libraries Visual Studio and C#!

6 Xamarin s approach Xamarin.iOS / Xamarin.Android (Native) ios + C# Android + C# Windows + C# Shared C# code Shared C# codebase 100% native API access High performance

7 Xamarin s approach Xamarin.Forms Shared UI code Shared C# code and even more shared code!

8 It s native ARM Binary NET C# Bindings NET C# Bindings AOT.APP IL + JIT Compile & link.apk It feels native because it is!

9 Demo: Run a Xamarin app Antti Kajanus

10 Xamarin options Two primary approaches Xamarin Forms: lots of shared code, less control Use XAML to define the UI Rendered appropriately for each platform Lowest common denominator UI elements Basic crossplatform functionality Xamarin Native: less shared code, more control Customize UIs with platformspecific elements and designers More platformspecific control Native behavior for user interactions

11 Which one to pick? Xamarin.Forms Xamarin.iOS / Xamarin.Android Apps that require little platformspecific functionality Apps that uses many platformspecific APIs Apps where code sharing is more important than custom UI Apps where custom UX is more important than code sharing Time until delivery Apps that require specialized interaction

12 Xamarin development environments Windows or Mac Mac OS X Xamarin Studio Windows Visual Studio Xamarin Studio Xamarin Native ios Requires Mac build host Android Xamarin Forms ios Requires Mac build host Android Windows * Mac * * Not available for ArcGIS Runtime for Xamarin apps

13 Organizing your Xamarin code Individual project for each platform UI and app code ( Views ) One project for shared code (core) Portable Class Library Shared project Note: If using Xamarin Forms, UI (.xaml) can be shared

14 The ArcGIS Runtime for Xamarin Why codesharing works One Common API surface Same API on Windows Desktop, Windows Universal Platform, ios, and Android Same underlying code, same functionality Most code becomes shareable crossplatform Streamlined Development Changes inherently apply to all platforms All platforms remain in sync Tooling in Visual Studio Shared projects *

15 Demo: UWP Portal Browser project Antti Kajanus

16 Good design Is not optional for crossplatform apps!

17 Organizing your code Platform specific layers User Interface: UI elements and associated controllers Application: Platform specific (nonshared) application logic Common / shareable layers Business: Models and business logic Data: Persisted information in a SQLite database, XML, plain text, etc. Data Access: Logic that wraps the Data to provide CRUD access Service Access: Logic that wraps access to remote services (REST, e.g.)

18 Xamarin: Sharing code Isolate platformspecific code ios App Application Layer UI Layer Xamarin.iOS SDK assemblies Shared Code Data Layer Databases Data Access Layer Service Access Layer Android App Business Layer Application Layer UI Layer Models Xamarin.Android SDK assemblies Windows Phone App Application Layer UI Layer Services Reference Windows Phone SDK assemblies

19 Useful design patterns Model View Controller (MVC) and Model View ViewModel (MVVM): Separates application layers according to the UI (view), the data it displays (model), and business / interaction logic (controller, viewmodel). Dependency Injection (Provider): Allows shared code to be written against an abstract class (or interface). Each app passes an instance that provides platformspecific implementation of the abstract class. Singleton: Ensures that only a single instance of an object exists (portal connection, for example). Façade: Provides a simplified view of complex operations by wrapping them with an API. WidgetManager.GetAllWidgets might serve as a façade to a complex operation that retrieves widgets, for example.

20 Sharing code Adding platform specific logic ios App Application Layer UI Layer IPlatformSpecific implementation Shared Code Data Layer Data Access Layer Service Access Layer Business Layer Android App IPlatformSpecific Application Layer UI Layer Models IPlatformSpecific implementation Windows Phone App Dependency Injection Application Layer UI Layer IPlatformSpecific implementation

21 Shared projects Share code with several projects in your app solution Benefits Enables sharing of code between multiple projects Compiler directives (#if ANDROID ) for platformspecific code Can use platformspecific assembly references added to app projects Possible disadvantages Shared project produces no output assembly (*.dll) to share PCL

22 Sharing code Shared Project ios App Application Layer Shared Project Data Access Layer Business Layer Service Access Layer Models Data Layer UI Layer #if IOS // iosspecific code #if ANDROID // Androidspecific code Android App Application Layer UI Layer #if WINDOWS_PHONE // WPspecific code Windows Phone App Compiled into each app Application Layer UI Layer

23 Demo: Explore a Xamarin Solution Antti Kajanus

24 Strategies for successful sharing Data Use ArcGIS Runtime geodatabases when possible Use SQLite to store app data Supported natively by ios and Android C# SQLite assembly (open source) for Windows Phone ADO.NET code for data access Rather than using native APIs Reference System.Data.dll and Mono.Data.Sqlite.dll using System.Data; using Mono.Data.Sqlite; //... string dbpath = Path.Combine ( Environment.GetFolderPath (Environment.SpecialFolder.Personal), "items.db3"); bool exists = File.Exists (dbpath); if (!exists) SqliteConnection.CreateFile (dbpath); var connection = new SqliteConnection ("Data Source=" + dbpath); connection.open ();

25 Strategies for successful sharing File access Beware of platformspecific aspects of file access Restricted access to certain files or locations Ability to access external or shared data Asynchronous only file operations Use classes in System.IO string filepath = System.IO.Path.Combine ( Environment.GetFolderPath (Environment.SpecialFolder.Personal), "MyFile.txt"); System.IO.File.WriteAllText (filepath, "Contents of text file"); Console.WriteLine (System.IO.File.ReadAllText (filepath));

26 Demo: Crossplatform Portal Browser Antti Kajanus

27 Strategies for successful sharing Network operations Proactively handle unavailable connectivity Beware of platformspecific aspects of network access Restricted download sizes (20 meg max for ios on 3G, for example) Asynchronous only network operations (Windows Phone) Use System.Net.WebClient, System.Net.Http.HttpClient and System.Net.HttpWebRequest var webclient = new System.Net.WebClient (); webclient.downloadstringcompleted += (sender, e) => { var resultstring = e.result; // do something with downloaded string }; webclient.encoding = System.Text.Encoding.UTF8; webclient.downloadstringasync (new Uri ("

28 Strategies for successful sharing Threading Platformspecific syntax for marshaling to the UI thread Handle with Provider pattern or with compiler conditionals Tasks created with the Parallel Task Library return to their calling thread TaskScheduler.FromCurrentSynchronizationContext gets thread the task was called on using System.Threading.Tasks; void MainThreadMethod () { Task.Factory.StartNew (() => wc.downloadstring (" ( t => label.text = t.result, TaskScheduler.FromCurrentSynchronizationContext() ); }

29 Demo: Crossplatform Portal Browser (Forms) Antti Kajanus

30 Summary Xamarin allows you to build native apps for Andriod and ios. Windows platforms that consume the same shared code can be included. ArcGIS Runtime SDK for Xamarin is consistent across supported platforms and hides platforms idiosyncrasies from you. Good design enables the most efficient code sharing. Keep UI and appspecific code in projects that are distinct from the shared code. Separation of concerns, Dependency Injection, Compiler conditionals are specific techniques that help in crossplatform development.

31 Thank you Questions?

32

QML and JavaScript for Native App Development

QML and JavaScript for Native App Development Esri Developer Summit March 8 11, 2016 Palm Springs, CA QML and JavaScript for Native App Development Michael Tims Lucas Danzinger Agenda Native apps. Why? Overview of Qt and QML How to use JavaScript

More information

Building cross-platform Modern Apps: the Design perspective. Amit Bahree, Senior Director, Avanade @bahree, http://desigeek.com

Building cross-platform Modern Apps: the Design perspective. Amit Bahree, Senior Director, Avanade @bahree, http://desigeek.com Building cross-platform Modern Apps: the Design perspective Amit Bahree, Senior Director, Avanade @bahree, http://desigeek.com Agenda Mobile Platforms CoIT Development Options Xamarin Architecture Patterns

More information

Building cross-platform mobile apps with Xamarin

Building cross-platform mobile apps with Xamarin Building cross-platform mobile apps with Xamarin Hajan Selmani Founder & CEO of HASELT Founder of Hyper Arrow Microsoft MVP App Builders Switzerland @appbuilders_ch App Builders Switzerland @appbuilders_ch

More information

Lecture 4 Cross-Platform Development. <lecturer, date>

Lecture 4 Cross-Platform Development. <lecturer, date> Lecture 4 Cross-Platform Development Outline Cross-Platform Development PhoneGap Appcelerator Titanium Xamarin References Native Development Represents the baseline for comparisons You

More information

Xamarin Cross-platform Application Development

Xamarin Cross-platform Application Development Xamarin Cross-platform Application Development Jonathan Peppers Chapter No. 3 "Code Sharing Between ios and Android" In this package, you will find: A Biography of the author of the book A preview chapter

More information

Build apps your users will love with Xamarin. Mobile Edge 11 Nov 2015

Build apps your users will love with Xamarin. Mobile Edge 11 Nov 2015 Build apps your users will love with Xamarin Mobile Edge 11 Nov 2015 We re here to help Matt Larson EMEA Senior Partner Manager matt@xamarin.com +44 7482 775 772 @mattylar12 I m a Dad Fatherhood The Lifecycle

More information

Mumbai, India 1 kunalprajapati365@gmail.com 2 phadakedhananjay@gmail.com 3 archit.poddar@gmail.com

Mumbai, India 1 kunalprajapati365@gmail.com 2 phadakedhananjay@gmail.com 3 archit.poddar@gmail.com STUDY ON XAMARIN CROSS-PLATFORM FRAMEWORK Mukesh Prajapati 1, Dhananjay Phadake 2, Archit Poddar 3 1,2 Department of MCA, 3 B.Tech. - Information Technology 1,2 University of Mumbai 3 Manipal University

More information

Take Your Team Mobile with Xamarin

Take Your Team Mobile with Xamarin Take Your Team Mobile with Xamarin Introduction Enterprises no longer question if they should go mobile, but are figuring out how to implement a successful mobile strategy, and in particular how to go

More information

CROSS-PLATFORM MOBILE APPLICATION DEVELOPMENT WITH XAMARIN.FORMS

CROSS-PLATFORM MOBILE APPLICATION DEVELOPMENT WITH XAMARIN.FORMS Bachelor s Thesis Information Technology Embedded Systems 2016 Timo Jääskeläinen CROSS-PLATFORM MOBILE APPLICATION DEVELOPMENT WITH XAMARIN.FORMS OPINNÄYTETYÖ AMK TIIVISTELMÄ TURUN AMMATTIKORKEAKOULU Tietotekniikka

More information

A Way Out of the Mobile App Development Conundrum

A Way Out of the Mobile App Development Conundrum A Way Out of the Mobile App Development Conundrum How you can grow your business and improve time-to-market with a cross-platform mobile app strategy Introduction Ask most any business executive for their

More information

/// CHOOSING THE BEST MOBILE TECHNOLOGY. Overview

/// CHOOSING THE BEST MOBILE TECHNOLOGY. Overview WHITE PAPER /// CHOOSING THE BEST MOBILE TECHNOLOGY Overview As business organizations continue to expand their mobile practices, finding a suitable mobile technology is vitally important. There are four

More information

The Anatomy of a Native App

The Anatomy of a Native App The Anatomy of a Native App 01 Defining Native Whether accessing order history during a sales call or checking a flight status, users expect information to be instantly accessible and presented in a way

More information

Microsoft Visual Studio: Developing Cross-Platform Apps With C# Using Xamarin

Microsoft Visual Studio: Developing Cross-Platform Apps With C# Using Xamarin coursemonster.com/au Microsoft Visual Studio: Developing Cross-Platform Apps With C# Using Xamarin View training dates» Overview C# is one of the most popular development languages in the world. While

More information

BASIC COMPONENTS. There are 3 basic components in every Apache Cordova project:

BASIC COMPONENTS. There are 3 basic components in every Apache Cordova project: Apache Cordova is a open-source mobile development framework. It allows you to use standard web technologies such as HTML5, CSS3 and JavaScript for cross-platform development, avoiding each mobile platform

More information

Developing and deploying mobile apps

Developing and deploying mobile apps Developing and deploying mobile apps 1 Overview HTML5: write once, run anywhere for developing mobile applications 2 Native app alternative Android -- Java ios -- Objective-C Windows Mobile -- MS tools

More information

An Analysis of Mobile Application Development Approaches

An Analysis of Mobile Application Development Approaches April 2014, HAPPIEST MINDS TECHNOLOGIES An Analysis of Mobile Application Development Approaches Author Umesh Narayan Gondhali 1 SHARING. MINDFUL. INTEGRITY. LEARNING. EXCELLENCE. SOCIAL RESPONSIBILITY.

More information

Cross-Platform Tools

Cross-Platform Tools Cross-Platform Tools Build once and Run Everywhere Alexey Karpik Web Platform Developer at ALTOROS Action plan Current mobile platforms overview Main groups of cross-platform tools Examples of the usage

More information

WHITEPAPER. Pros & cons of native vs cross-platform mobile development with Xamarin

WHITEPAPER. Pros & cons of native vs cross-platform mobile development with Xamarin WHITEPAPER Pros & cons of native vs cross-platform mobile development with Xamarin Native or Cross-Platform Mobile Development? As the world is getting rapidly digitalized and global mobile data traffic

More information

Cross-Platform Development: Target More Platforms and Devices with a Minimal Amount of Source Code

Cross-Platform Development: Target More Platforms and Devices with a Minimal Amount of Source Code Cross-Platform Development: Target More Platforms and Devices with a Minimal Amount of Source Code What is cross-platform development? Cross-platform development produces a single code base that can be

More information

Best practices building multi-platform apps. John Hasthorpe & Josh Venman

Best practices building multi-platform apps. John Hasthorpe & Josh Venman Best practices building multi-platform apps John Hasthorpe & Josh Venman It s good to have options Android 4.3 10 Tablet Windows 7 14 Laptop Windows 7 15 Laptop Mac OSX 15 Laptop ios 6 4.6 Phone Android

More information

Multi-Platform Mobile Application Development Analysis. Lisandro Delía Nicolás Galdámez Pablo Thomas Leonardo Corbalán Patricia Pesado

Multi-Platform Mobile Application Development Analysis. Lisandro Delía Nicolás Galdámez Pablo Thomas Leonardo Corbalán Patricia Pesado Multi-Platform Mobile Application Development Analysis Lisandro Delía Nicolás Galdámez Pablo Thomas Leonardo Corbalán Patricia Pesado Agenda 1. 2. 3. 4. 5. Introduction Multi-Platform Mobile Applications

More information

BELATRIX SOFTWARE. Why you should be moving to mobile Cross Platform Development? Introduction

BELATRIX SOFTWARE. Why you should be moving to mobile Cross Platform Development? Introduction BELATRIX SOFTWARE Why you should be moving to mobile Cross Platform Development? Introduction If you re thinking of going mobile, delivering online services or updating your existing app, you know that

More information

Developing Apps with the ArcGIS Runtime SDK for Android. Ben Ramseth Esri Inc. Instructor Technical Lead

Developing Apps with the ArcGIS Runtime SDK for Android. Ben Ramseth Esri Inc. Instructor Technical Lead Developing Apps with the ArcGIS Runtime SDK for Android Ben Ramseth Esri Inc. Instructor Technical Lead Ben Ramseth Instructor Technical Lead Esri Inc USA, Charlotte, NC bramseth@esri.com @EsriMapNinja

More information

Software Development Interactief Centrum voor gerichte Training en Studie Edisonweg 14c, 1821 BN Alkmaar T: 072 511 12 23

Software Development Interactief Centrum voor gerichte Training en Studie Edisonweg 14c, 1821 BN Alkmaar T: 072 511 12 23 Microsoft SharePoint year SharePoint 2013: Search, Design and 2031 Publishing New SharePoint 2013: Solutions, Applications 2013 and Security New SharePoint 2013: Features, Delivery and 2010 Development

More information

Building native mobile apps for Digital Factory

Building native mobile apps for Digital Factory DIGITAL FACTORY 7.0 Building native mobile apps for Digital Factory Rooted in Open Source CMS, Jahia s Digital Industrialization paradigm is about streamlining Enterprise digital projects across channels

More information

Mobile App Infrastructure for Cross-Platform Deployment (N11-38)

Mobile App Infrastructure for Cross-Platform Deployment (N11-38) Mobile App Infrastructure for Cross-Platform Deployment (N11-38) Contents Introduction... 2 Background... 2 Goals and objectives... 3 Technical approaches and frameworks... 4 Key outcomes... 5 Project

More information

ArcGIS Web Mapping. Sam Berg, esri sberg@esri.com

ArcGIS Web Mapping. Sam Berg, esri sberg@esri.com ArcGIS Web Mapping Sam Berg, esri sberg@esri.com Agenda ArcGIS and WebMaps The APIs ArcGIS for Flex Viewer ArcGIS for Silverlight Builder ArcGIS for Sharepoint ArcGIS Application Templates ArcGIS Runtime

More information

POINT-TO-POINT vs. MEAP THE RIGHT APPROACH FOR AN INTEGRATED MOBILITY SOLUTION

POINT-TO-POINT vs. MEAP THE RIGHT APPROACH FOR AN INTEGRATED MOBILITY SOLUTION POINT-TO-POINT vs. MEAP THE RIGHT APPROACH FOR AN INTEGRATED MOBILITY SOLUTION Executive Summary Enterprise mobility has transformed the way businesses engage with customers, partners and staff while exchanging

More information

Mobile Application Development

Mobile Application Development Web Engineering Mobile Application Development Copyright 2015 Slides from Federico M. Facca (2010), Nelia Lasierra (updates) 1 2 Where we are? # Date Title 1 5 th March Web Engineering Introduction and

More information

How To Develop A Mobile App With Phonegap

How To Develop A Mobile App With Phonegap Introduction to Mobile Development with PhoneGap Yeah it s pretty awesome. Who is this guy? Andrew Trice Technical Evangelist, Adobe atrice@adobe.com http://tricedesigns.com @andytrice http://github.com/triceam

More information

Developing multi-platform mobile applications: doing it right. Mihail Ivanchev

Developing multi-platform mobile applications: doing it right. Mihail Ivanchev Developing multi-platform mobile applications: doing it right Mihail Ivanchev Outline Significance of multi-platform support Recommend application architecture Web-based application frameworks Game development

More information

Mobile Development Frameworks Overview. Understand the pros and cons of using different mobile development frameworks for mobile projects.

Mobile Development Frameworks Overview. Understand the pros and cons of using different mobile development frameworks for mobile projects. Mobile Development Frameworks Overview Understand the pros and cons of using different mobile development frameworks for mobile projects. Mobile Solution Frameworks One of the biggest technological decisions

More information

Leveraging Partners and Open Source Technology in your Mobility Strategy. emids webinar Thursday, August 11, 2011 1:00 pm 2:00 pm EDT

Leveraging Partners and Open Source Technology in your Mobility Strategy. emids webinar Thursday, August 11, 2011 1:00 pm 2:00 pm EDT Leveraging Partners and Open Source Technology in your Mobility Strategy emids webinar Thursday, August 11, 2011 1:00 pm 2:00 pm EDT Presenters Jerry Buchanan Account Director emids Technologies Ambarish

More information

True Web Application Management: Fixing the Gaps in EMM Solutions

True Web Application Management: Fixing the Gaps in EMM Solutions True Web Application Management: Fixing the Gaps in EMM Solutions Executive Summary The modern workforce expects to use a combination of laptops, tablets, and smartphones to complete its work. Organizations

More information

Extending the Survey123 for ArcGIS Mobile App

Extending the Survey123 for ArcGIS Mobile App Esri Developer Summit March 8 11, 2016 Palm Springs, CA Extending the Survey123 for ArcGIS Mobile App Elvin Slavik, Sathya Prasad THE FOLLOWING TECH PREVIEW HAS BEEN APPROVED FOR ALL RESTRICTED DEVELOPER

More information

SYST35300 Hybrid Mobile Application Development

SYST35300 Hybrid Mobile Application Development SYST35300 Hybrid Mobile Application Development Native, Web and Hybrid applications Hybrid Applications: Frameworks Native, Web and Hybrid Applications Mobile application development is the process by

More information

Develop native android apps And port to other platforms

Develop native android apps And port to other platforms Develop native android apps And port to other platforms Robin Puthli, 24 October 2013 Droidcon UK 1 Me Mobile developer 2001 - present Run a 11 strong development shop Netherlands based 2 Itude Mobile

More information

Viability of developing cross-platform mobile business applications using a HTML5 Mobile Framework

Viability of developing cross-platform mobile business applications using a HTML5 Mobile Framework Viability of developing cross-platform mobile business applications using a HTML5 Mobile Framework Joshua Morony November 13, 2013 Supervisor: Paul Calder Submitted to the School of Computer Science, Engineering,

More information

Evaluation of Xamarin Forms for MultiPlatform Mobile Application Development

Evaluation of Xamarin Forms for MultiPlatform Mobile Application Development Grand Valley State University ScholarWorks@GVSU Technical Library School of Computing and Information Systems 2016 Evaluation of Xamarin Forms for MultiPlatform Mobile Application Development Amer A. Radi

More information

Avanade & Xamarin: The fast path to mobile success.

Avanade & Xamarin: The fast path to mobile success. Avanade & Xamarin: The fast path to mobile success. Take your Microsoft investments mobile on ios and Android. Executive summary As enterprises look to enable mobile applications for their customers and

More information

Power, Speed and Quality. Key Strategies for Mobile Excellence

Power, Speed and Quality. Key Strategies for Mobile Excellence Power, Speed and Quality Key Strategies for Mobile Excellence Introduction to Mobile Post-PC devices are the fastest growing and most disruptive technological innovation of our time. Smartphone adoption

More information

27th Embarcadero Developer Camp General Session

27th Embarcadero Developer Camp General Session 27th Embarcadero Developer Camp General Session John JT Thomas Director of Product Management jt@embarcadero.com @FireMonkeyPM Market Statistics WHAT S HAPPENING? 2 The Client Revolution An Unprecedented

More information

Client Overview. Engagement Situation

Client Overview. Engagement Situation Client Overview Our client is a key provider of software solutions for ensuring safety and quality standards of the supply chain of consumable goods manufacturers. Client's dedicated software platform

More information

HYBRID APPLICATION DEVELOPMENT IN PHONEGAP USING UI TOOLKITS

HYBRID APPLICATION DEVELOPMENT IN PHONEGAP USING UI TOOLKITS HYBRID APPLICATION DEVELOPMENT IN PHONEGAP USING UI TOOLKITS RAJESH KUMAR Technical Lead, Aricent PUNEET INDER KAUR Senior Software Engineer, Aricent HYBRID APPLICATION DEVELOPMENT IN PHONEGAP USING UI

More information

Evaluating Cross-Platform Development Approaches (WORA Tools ) for Mobile Applications

Evaluating Cross-Platform Development Approaches (WORA Tools ) for Mobile Applications Evaluating Cross-Platform Development Approaches (WORA Tools ) for Mobile Applications Prof. Vijaya Jadhav Asst. Professor, ASM s IBMR, E-mail : vijayajadhav@asmedu.org Prof. Haridini Bhagwat Asst. Professor,

More information

Making Sense of Mobile Development Options. Luis Sala Director, Technology Alliances @LuisSala

Making Sense of Mobile Development Options. Luis Sala Director, Technology Alliances @LuisSala Making Sense of Mobile Development Options Luis Sala Director, Technology Alliances @LuisSala Disclaimers Mobile = Smartphone & Tablet Native discussions have an ios bias But the concepts all apply to

More information

Beginner s Android Development Tutorial!

Beginner s Android Development Tutorial! Beginner s Android Development Tutorial! Georgia Tech Research Network Operations Center (RNOC)! cic.gatech.edu Questions? Get in touch! piazza.com/gatech/spring2015/cic rnoc-lab-staff@lists.gatech.edu

More information

Survey, Comparison and Evaluation of Cross Platform Mobile Application Development Tools

Survey, Comparison and Evaluation of Cross Platform Mobile Application Development Tools Survey, Comparison and Evaluation of Cross Platform Mobile Application Development Tools Isabelle Dalmasso, Soumya Kanti Datta, Christian Bonnet, Navid Nikaein Mobile Communication Department, EURECOM

More information

A Guide to Mobile App Development Platforms

A Guide to Mobile App Development Platforms A Guide to Mobile App Development Platforms Choosing a Mobile Development Framework Often a developer has a great idea they can visualize but a gauntlet to run through before they see it climb up the bestseller

More information

CHOOSING THE RIGHT HTML5 FRAMEWORK To Build Your Mobile Web Application

CHOOSING THE RIGHT HTML5 FRAMEWORK To Build Your Mobile Web Application BACKBONE.JS Sencha Touch CHOOSING THE RIGHT HTML5 FRAMEWORK To Build Your Mobile Web Application A RapidValue Solutions Whitepaper Author: Pooja Prasad, Technical Lead, RapidValue Solutions Contents Executive

More information

Development of mobile applications for multiple platforms

Development of mobile applications for multiple platforms Harwell Innovation Centre Building 173 Curie Avenue Harwell Oxford Didcot Oxfordshire, OX11 0QG +44 1235 838 531 www.redskiessoftware.com Development of mobile applications for multiple platforms By Darren

More information

The full setup includes the server itself, the server control panel, Firebird Database Server, and three sample applications with source code.

The full setup includes the server itself, the server control panel, Firebird Database Server, and three sample applications with source code. Content Introduction... 2 Data Access Server Control Panel... 2 Running the Sample Client Applications... 4 Sample Applications Code... 7 Server Side Objects... 8 Sample Usage of Server Side Objects...

More information

Debugging Mobile Apps

Debugging Mobile Apps Debugging Mobile Apps Native and Mobile Web Apps Shelley Chase Senior Architect, Progress OpenEdge November 2013 OpenEdge Mobile Value Proposition: Write Once, Run Anywhere Portability with the Benefits

More information

Bridging the Gap: from a Web App to a Mobile Device App

Bridging the Gap: from a Web App to a Mobile Device App Bridging the Gap: from a Web App to a Mobile Device App or, so how does this PhoneGap* stuff work? *Other names and brands may be claimed as the property of others. 1 Users Want Mobile Apps, Not Mobile

More information

Cross-Platform Mobile Apps Solution

Cross-Platform Mobile Apps Solution Cross-Platform Mobile Apps Solution Prepared by Kevin Mullins CEO and Chief Developer Appracatappra, LLC. 709 Gale Street #8 Seabrook, TX 77586 kmullins@appracatappra.com http://appracatappra.com Table

More information

Considerations Regarding the Cross-Platform Mobile Application Development Process

Considerations Regarding the Cross-Platform Mobile Application Development Process 40 Economy Informatics vol. 13, no. 1/2013 Considerations Regarding the Cross-Platform Mobile Application Development Process Marius POPA Department of Economic Informatics and Cybernetics Bucharest University

More information

Making Mobile a Reality

Making Mobile a Reality Making Mobile a Reality KIEFER CONSULTING CALIFORNIA DEPARTMENT OF TECHNOLOGY Introductions Scott Paterson California Department of Technology, Enterprise Solutions Harkeerat Toor Kiefer Consulting, Consultant

More information

ANDROID APP DEVELOPMENT: AN INTRODUCTION CSCI 5115-9/19/14 HANNAH MILLER

ANDROID APP DEVELOPMENT: AN INTRODUCTION CSCI 5115-9/19/14 HANNAH MILLER ANDROID APP DEVELOPMENT: AN INTRODUCTION CSCI 5115-9/19/14 HANNAH MILLER DISCLAIMER: Main focus should be on USER INTERFACE DESIGN Development and implementation: Weeks 8-11 Begin thinking about targeted

More information

ArcGIS Platform. An Integrated System. Portal

ArcGIS Platform. An Integrated System. Portal Platform An Integrated System Portal An Integrated Web GIS Platform Knowledge Workers Executive Access Public Engagement Work Anywhere Enterprise Integration Providing Mapping, Analysis, Data Management,

More information

Android Mobile App Building Tutorial

Android Mobile App Building Tutorial Android Mobile App Building Tutorial Seidenberg-CSIS, Pace University This mobile app building tutorial is for high school and college students to participate in Mobile App Development Contest Workshop.

More information

Beginning Nokia Apps. Development. Qt and HTIVIL5 for Symbian and MeeGo. Ray Rischpater. Apress. Daniel Zucker

Beginning Nokia Apps. Development. Qt and HTIVIL5 for Symbian and MeeGo. Ray Rischpater. Apress. Daniel Zucker Beginning Nokia Apps Development Qt and HTIVIL5 for Symbian and MeeGo Ray Rischpater Daniel Zucker Apress Contents Contents at a Glance... I Foreword About the Authors About the Technical Reviewers Acknowledgments

More information

ADF Mobile Overview and Frequently Asked Questions

ADF Mobile Overview and Frequently Asked Questions ADF Mobile Overview and Frequently Asked Questions Oracle ADF Mobile Overview Oracle ADF Mobile is a Java and HTML5-based mobile application development framework that enables developers to build and extend

More information

Cross Platform Mobility

Cross Platform Mobility Cross Platform Mobility Why and How to Build Cross Platform Mobile Applications Chris Auld 8 May 2012 WHY? MOBILE STRATEGY DISCUSSION Why mobile matters? Types of mobile apps By user class By technology

More information

Cross-Platform Phone Apps & Sites with jquery Mobile

Cross-Platform Phone Apps & Sites with jquery Mobile Cross-Platform Phone Apps & Sites with jquery Mobile Nick Landry, MVP Senior Product Manager Infragistics Nokia Developer Champion activenick@infragistics.com @ActiveNick www.activenick.net Who is ActiveNick?

More information

HTML5 / NATIVE / HYBRID

HTML5 / NATIVE / HYBRID HTML5 / NATIVE / HYBRID Ryan Paul Developer Evangelist @ Xamarin NATIVE VERSUS HTML5? REFRAMING THE DEBATE It s not a battle to the death. It s a choice: what solution will work best for your application?

More information

Operations Dashboard for ArcGIS: Extending the Functionality

Operations Dashboard for ArcGIS: Extending the Functionality Operations Dashboard for ArcGIS: Extending the Functionality Jay Chen Kylie Donia Tif Pun Esri UC 2014 Technical Workshop Esri UC 2014 Technical Workshop Agenda Operations Dashboard In 45 seconds Esri

More information

White Paper: Key Considerations for Taking a Microsoft Windows

White Paper: Key Considerations for Taking a Microsoft Windows White Paper: Key Considerations for Taking a Microsoft Windows 8.1 Enterprise Application or Apportal Cross-Platform to ios and/or Android Introduction Today, public sector and commercial sector security

More information

ORACLE ADF MOBILE DATA SHEET

ORACLE ADF MOBILE DATA SHEET ORACLE ADF MOBILE DATA SHEET PRODUCTIVE ENTERPRISE MOBILE APPLICATIONS DEVELOPMENT KEY FEATURES Visual and declarative development Java technology enables cross-platform business logic Mobile optimized

More information

Xamarin a Cross Platform App Development Technology. A white paper on Fundamentals and Implementations of Xamarin Cross platform Mobile Technology

Xamarin a Cross Platform App Development Technology. A white paper on Fundamentals and Implementations of Xamarin Cross platform Mobile Technology Xamarin a Cross Platform App Development Technology A white paper on Fundamentals and Implementations of Xamarin Cross platform Mobile Technology Contents Abstract... 3 Xamarin Products... 3 Part 1: Xamarin

More information

Petroleum Web Applications to Support your Business. David Jacob & Vanessa Ramirez Esri Natural Resources Team

Petroleum Web Applications to Support your Business. David Jacob & Vanessa Ramirez Esri Natural Resources Team Petroleum Web Applications to Support your Business David Jacob & Vanessa Ramirez Esri Natural Resources Team Agenda Petroleum Web Apps to Support your Business The ArcGIS Location Platform Introduction

More information

HTML5, The Future of App Development

HTML5, The Future of App Development HTML5, The Future of App Development Gautam Agrawal Director, Product Management 3 June 2015 Copyright Sencha Inc. 2015 Fragmentation on Steroids The Global 2000 8,000,000 +1,000,000 Source: IDG Research,

More information

Overview of CS 282 & Android

Overview of CS 282 & Android Overview of CS 282 & Android Douglas C. Schmidt d.schmidt@vanderbilt.edu www.dre.vanderbilt.edu/~schmidt Institute for Software Integrated Systems Vanderbilt University Nashville, Tennessee, USA CS 282

More information

How To Develop A Mobile Application On An Android Device

How To Develop A Mobile Application On An Android Device Disclaimer: The following is intended to outline our general product direction. It is intended for information purposes only, and may not be incorporated into any contract. It is not a commitment to deliver

More information

Essential Mapping Apps

Essential Mapping Apps Essential Mapping Apps 74% of adults use their smartphone to look at maps or other information based on their current location (of the 58% that own a smart phone) Pew Research Center Maps for Directions

More information

Developing a multiplatform solution for mobile learning

Developing a multiplatform solution for mobile learning Ogata, H. et al. (Eds.) (2015). Proceedings of the 23 rd International Conference on Computers in Education. China: Asia-Pacific Society for Computers in Education Developing a multiplatform solution for

More information

ArcGIS Viewer for Silverlight An Introduction

ArcGIS Viewer for Silverlight An Introduction Esri International User Conference San Diego, California Technical Workshops July 26, 2012 ArcGIS Viewer for Silverlight An Introduction Rich Zwaap Agenda Background Product overview Getting started and

More information

Take full advantage of IBM s IDEs for end- to- end mobile development

Take full advantage of IBM s IDEs for end- to- end mobile development Take full advantage of IBM s IDEs for end- to- end mobile development ABSTRACT Mobile development with Rational Application Developer 8.5, Rational Software Architect 8.5, Rational Developer for zenterprise

More information

How to pick the right development model for your next mobile project

How to pick the right development model for your next mobile project How to pick the right development model for your next mobile project Conny Svensson Managing Architect and Strategist Mobility c.svensson@cgi.com @connysvensson ScanDev 2013 2 2 2 Web vs Native is irrelevant!

More information

Dynamic Web Programming BUILDING WEB APPLICATIONS USING ASP.NET, AJAX AND JAVASCRIPT

Dynamic Web Programming BUILDING WEB APPLICATIONS USING ASP.NET, AJAX AND JAVASCRIPT Dynamic Web Programming BUILDING WEB APPLICATIONS USING ASP.NET, AJAX AND JAVASCRIPT AGENDA 1. Introduction to Web Applications and ASP.net 1.1 History of Web Development 1.2 Basic ASP.net processing (ASP

More information

Enterprise Mobile Application Management Platform -A Hybrid Approach

Enterprise Mobile Application Management Platform -A Hybrid Approach Enterprise Mobile Application Management Platform -A Hybrid Approach Jay R. Visariya Research Scholar, Department of Computer Engineering, Vishwakarma Institute of Technology, Pune, India Mahesh R. Dube

More information

Splunk for.net Developers

Splunk for.net Developers Copyright 2014 Splunk Inc. Splunk for.net Developers Glenn Block Senior Product Manager, Splunk Disclaimer During the course of this presentahon, we may make forward- looking statements regarding future

More information

Collaborative Open Market to Place Objects at your Service

Collaborative Open Market to Place Objects at your Service Collaborative Open Market to Place Objects at your Service D6.2.1 Developer SDK First Version D6.2.2 Developer IDE First Version D6.3.1 Cross-platform GUI for end-user Fist Version Project Acronym Project

More information

Android Basics. Xin Yang 2016-05-06

Android Basics. Xin Yang 2016-05-06 Android Basics Xin Yang 2016-05-06 1 Outline of Lectures Lecture 1 (45mins) Android Basics Programming environment Components of an Android app Activity, lifecycle, intent Android anatomy Lecture 2 (45mins)

More information

Accelerating Business Value by

Accelerating Business Value by Accelerating Business Value by Mobilizing Backend Enterprise Applications To find out how GAVS can be engaged as your dedicated co-sourcing partner to improve business outcomes, please write to us at cosource@gavsin.com.

More information

CROSS-PLATFORM MOBILE MALWARE: WRITE ONCE, RUN EVERYWHERE William Lee & Xinran Wu Sophos, Australia

CROSS-PLATFORM MOBILE MALWARE: WRITE ONCE, RUN EVERYWHERE William Lee & Xinran Wu Sophos, Australia CROSS-PLATFORM MOBILE MALWARE: WRITE ONCE, RUN EVERYWHERE William Lee & Xinran Wu Sophos, Australia Email {william.lee, xinran.wu@sophos.com.au ABSTRACT Every day, thousands of new mobile apps are published

More information

BENEFITS AND ROI OF MOBILE APP THE CHALLENGE: REDUCE PRINT COSTS, ADD VALUE AND PROMOTE A UNIFIED BRAND MESSAGE WORLDWIDE CASE STUDY: SMARTWOOL

BENEFITS AND ROI OF MOBILE APP THE CHALLENGE: REDUCE PRINT COSTS, ADD VALUE AND PROMOTE A UNIFIED BRAND MESSAGE WORLDWIDE CASE STUDY: SMARTWOOL Built on Appcelerator Titanium, SmartWool partners with InspiringApps to create enterprise sales mobile app, empowering sales reps and increasing sales BENEFITS AND ROI OF MOBILE APP Reduced catalog printing

More information

Developing multidevice-apps using Apache Cordova and HTML5. Guadalajara Java User Group Guillermo Muñoz (@jkoder) Java Developer

Developing multidevice-apps using Apache Cordova and HTML5. Guadalajara Java User Group Guillermo Muñoz (@jkoder) Java Developer Developing multidevice-apps using Apache Cordova and HTML5 Guadalajara Java User Group Guillermo Muñoz (@jkoder) Java Developer WTF is Apache Cordova? Set of device APIs that allow to access native device

More information

The Decaffeinated Robot

The Decaffeinated Robot Developing on without Java Texas Linux Fest 2 April 2011 Overview for Why? architecture Decaffeinating for Why? architecture Decaffeinating for Why choose? Why? architecture Decaffeinating for Why choose?

More information

Retool your HTML/JavaScript to go Mobile

Retool your HTML/JavaScript to go Mobile Retool your HTML/JavaScript to go Mobile @atdebonis 2008 Troy Web Consulting LLC All rights reserved 1 Overview What is PhoneGap? What is it good for? What can you use with it? Device Features Dev Tools

More information

How To Use Titanium Studio

How To Use Titanium Studio Crossplatform Programming Lecture 3 Introduction to Titanium http://dsg.ce.unipr.it/ http://dsg.ce.unipr.it/?q=node/37 alessandro.grazioli81@gmail.com 2015 Parma Outline Introduction Installation and Configuration

More information

Windows Presentation Foundation (WPF)

Windows Presentation Foundation (WPF) 50151 - Version: 4 05 July 2016 Windows Presentation Foundation (WPF) Windows Presentation Foundation (WPF) 50151 - Version: 4 5 days Course Description: This five-day instructor-led course provides students

More information

New Features in XE8. Marco Cantù RAD Studio Product Manager

New Features in XE8. Marco Cantù RAD Studio Product Manager New Features in XE8 Marco Cantù RAD Studio Product Manager Marco Cantù RAD Studio Product Manager Email: marco.cantu@embarcadero.com @marcocantu Book author and Delphi guru blog.marcocantu.com 2 Agenda

More information

CrossPlatform ASP.NET with Mono. Daniel López Ridruejo daniel@bitrock.com

CrossPlatform ASP.NET with Mono. Daniel López Ridruejo daniel@bitrock.com CrossPlatform ASP.NET with Mono Daniel López Ridruejo daniel@bitrock.com About me Open source: Original author of mod_mono, Comanche, several Linux Howtos and the Teach Yourself Apache 2 book Company:

More information

HybriDroid: Analysis Framework for Android Hybrid Applications

HybriDroid: Analysis Framework for Android Hybrid Applications HybriDroid: Analysis Framework for Android Hybrid Applications Sungho Lee, Julian Dolby, Sukyoung Ryu Programming Language Research Group KAIST June 13, 2015 Sungho Lee, Julian Dolby, Sukyoung Ryu HybriDroid:

More information

Adobe Flash Player and Adobe AIR security

Adobe Flash Player and Adobe AIR security Adobe Flash Player and Adobe AIR security Both Adobe Flash Platform runtimes Flash Player and AIR include built-in security and privacy features to provide strong protection for your data and privacy,

More information

Quality assurance for mobile applications Case studies for GUI test automation. Alexandra Schladebeck

Quality assurance for mobile applications Case studies for GUI test automation. Alexandra Schladebeck Quality assurance for mobile applications Case studies for GUI test automation Alexandra Schladebeck Bredex GmbH Version 2.5 Agenda The history The new questions The candidates Our experiences Results

More information

The Most Popular UI/Apps Framework For IVI on Linux

The Most Popular UI/Apps Framework For IVI on Linux The Most Popular UI/Apps Framework For IVI on Linux About me Tasuku Suzuki Qt Engineer Qt, Developer Experience and Marketing, Nokia Have been using Qt since 2002 Joined Trolltech in 2006 Nokia since 2008

More information

Mobile Engineers: BUY BUILD

Mobile Engineers: BUY BUILD Mobile Engineers: BUY BUILD Mobile engineers: buy or build? The rise of mobile continues to shake up the business world. Among global IT executives surveyed by Accenture, 73% said mobility will impact

More information

Developing Mapping Applications with ArcGIS Runtime SDK for Windows Mobile. Jay Chen Justin Colville

Developing Mapping Applications with ArcGIS Runtime SDK for Windows Mobile. Jay Chen Justin Colville Developing Mapping Applications with ArcGIS Runtime SDK for Windows Mobile Jay Chen Justin Colville Agenda What is ArcGIS Runtime for Windows Mobile Software Development Kit Application SDK - Introduction

More information