Network Programming. CS 282 Principles of Operating Systems II Systems Programming for Android
|
|
|
- Anna Goodman
- 10 years ago
- Views:
Transcription
1 Network Programming CS 282 Principles of Operating Systems II Systems Programming for Android
2 Android provides various mechanisms for local IPC between processes e.g., Messengers, AIDL, Binder, etc. Many Android apps provide & use data & services via the Internet e.g., Browser, , Calendar, etc. Programming robust, extensible, & efficient networked software is hard e.g., must address many complex topics that are less problematic for stand-alone apps
3 Android includes multiple network programming classes, e.g., java.net (Socket, URL) org.apache - (HttpRequest, HttpResponse) android.net (URI, AndroidHttpClient, AudioStream)
4 To allow an app to access the Internet using Eclipse, open AndroidManifest.xml, go to Permissions tab, add "Uses Permission" & select android. permission.internet Alternatively, open the file as raw XML & add the following line right after the <uses-sdk... /> element: <uses-permission android:name="android.permission.internet"/> If you don't do this, your application will crash with an UnknownHostException when trying to access a remote host
5 A socket is a software endpoint that can create a bi-directional reliable communication link between software processes Sockets are a common programming interface for performing network communication Underneath the hood, Android s HTTP client library uses Java sockets to send & receive data Socket Socket
6 There are three main classes in Java Sockets ServerSocket This class represents a server-side socket that waits for incoming client connections Socket Provides a client-side TCP socket InetAddress Defines an Internet Protocol (IP) address Socket Socket
7 In Java, a ServerSocket can receive new connections from a client Plays the role of the Acceptor in the Acceptor/Connector pattern A client connects to a remote ServerSocket through a data-mode Socket instance When the server receives the connection, it talks to the client using a data-mode socket The actual exchange of bytes is done via InputStream & OutputStream objects associated with the Socket object Socket Server Socket
8 An InputStream is a stream of incoming byte data An InputStream can be obtained from a Socket by using the getinputstream() method To read from a stream, you must create a byte buffer to read in data Each call to read on an InputStream fills your buffer with data & returns the number of bytes read InputStream in = somesocket.getinputstream(); const int BUFSIZ = 1024; byte[] buffer = new byte[bufsiz]; for(int bytesread; (bytesread = in.read(buffer,0,buffer.length))!= -1; ) { // the buffer has been filled, do something with the data
9 An InputStreamReader turns a byte stream into a character stream Data read from the source input stream is converted into characters by either a default or a provided character converter InputStreamReader contains an 8K buffer of bytes read from the source stream & converts these into characters as needed InputStream in = somesocket.getinputstream(); Reader reader = new InputStreamReader(in); for (int data; (data = reader.read())!= -1; ){ char thechar = (char) data; // do something with the data reader.close();
10 Wraps an existing Reader & buffers the input Expensive interaction with underlying reader is minimized, since most (smaller) requests can be satisfied by accessing buffer alone Drawback is that some extra space is required to hold the buffer & copying takes place when filling that buffer BufferedReader bufferedreader = new BufferedReader(new InputStreamReader(someSocket.getInputStream())); for (String data; (data = bufferedreader.readline())!= null; ){ // do something with the data bufferedreader.close();
11 An OutputStream is a stream of outgoing byte data An OutputStream can be obtained from a Socket by using the getoutputstream() method You can write data to a stream by passing in a byte buffer of data You should use the flush() method if you want to make sure that the data you have written has been output to disk or sent to the other end of the socket OutputStream out = somesocket.getoutputstream(); out.write( Hello Socket.getBytes()); out.flush(); byte[] buffer = new byte[1024]; out.write(buffer,0,buffer.length); //fill the buffer out.close();
12 A class for turning a character stream into a byte stream Data written to the target input stream is converted into bytes by either a default or a provided character converter OutputStreamWriter contains an 8K buffer of bytes to be written to target stream & converts these into characters as needed OutputStreamWriter out = new OutputStreamWriter (somesocket.getoutputstream()); String string1 = Socket IO, string2 = is fun ; out.write(string); out.append(string); out.flush(); out.close();
13 Wraps either an existing OutputStream or an existing Writer (including OutputStreamWriter) Provides convenience methods for printing common data types in a human readable format StringBuffer data = new StringBuffer(); PrintWriter pw = new PrintWriter(new // true indicates auto-flush OutputStreamWriter(someSocket.getOutputStream()),true); pw.println("get /index.html"); BufferedReader br = new BufferedReader(new InputStreamReader( socket.getinputstream())); String rawdata; while ((rawdata = br.readline())!= null) { data.append(rawdata);
14 public class NetworkingSocketsActivity extends Activity { TextView mtextview = null; public void oncreate(bundle savedinstancestate) { // assuming server at listening on port 80 new HttpGet().execute(" "); // Display the text on the screen private void onfinishgetrequest(string result) { mtextview.settext(result);
15 private class HttpGet extends AsyncTask<String, Void, String> { protected String doinbackground(string... params) { Socket socket = null; StringBuffer data = new StringBuffer(); try { socket = new Socket(params[0], 80); PrintWriter pw = new PrintWriter( new OutputStreamWriter(socket.getOutputStream()), true); pw.println("get /index.html");
16 BufferedReader br = new BufferedReader( new InputStreamReader( socket.getinputstream())); String rawdata; while ((rawdata = br.readline())!= null) { data.append(rawdata); catch return data.tostring(); // close socket protected void onpostexecute(string result) { onfinishgetrequest(result);
17 Android includes two HTTP clients: HttpURLConnection & Apache HTTP Client Both support HTTPS, streaming uploads & downloads, configurable timeouts, IPv6 & connection pooling Apache HTTP client has fewer bugs in Android 2.2 (Froyo) & earlier releases For Android 2.3 (Gingerbread) & later, HttpURLConnection is the best choice Its simple API & small size makes it great fit for Android Transparent compression & response caching reduce network use, improve speed & save battery See the for a comparison of the two HTTP clients
18 Used to send & receive HTTP data of any type/length over the web This class may be used to send & receive streaming data whose length is not known in advance Uses of this class follow a pattern: 1. Obtain new HttpURLConnection by calling URL.openConnection() & cast result 2. Prepare the request The primary property of a request is its URI 3. Transmit data by writing to the stream returned by getoutputstream() 4. Read response from stream returned by getinputstream() 5. Once response body has been read, HttpURLConnection should be closed by calling disconnect(), which releases resources held by a connection so they may be closed or reused
19 Useful HTTPClient classes AndroidHttpClient Implementation of Apache DefaultHttpClient configured with reasonable default settings & registered schemes for Android AndroidHttpClient.html HttpGet Retrieves whatever information (in the form of an entity) is identified by the Request-URI HttpGet.html ResponseHandler Handler that encapsulates the process of generating a response object from a HttpResponse ResponseHandler.html
20 public class NetworkingURLActivity extends Activity { TextView mtextview = null; public void oncreate(bundle savedinstancestate) { new HttpGetTask().execute( " ");
21 private class HttpGetTask extends AsyncTask<String, Void, String> { protected String doinbackground(string... params) { StringBuffer data = new StringBuffer(); BufferedReader br = null; try { HttpURLConnection conn = (HttpURLConnection) new URL(params[0]).openConnection(); // read & process response // close outputstream return data.tostring();
22 private class HttpGetTask extends AsyncTask<String, Void, String> { protected String doinbackground(string... params) { AndroidHttpClient client = AndroidHttpClient.newInstance(""); HttpGet request = new HttpGet(params[0]); ResponseHandler<String> responsehandler = new BasicResponseHandler(); try { return client.execute(request, responsehandler); catch (/* */) return null;
23 The protocol underlying Java Sockets & HTTP is TCP/IP, which is a byte stream protocol It s therefore necessary to parse the HTTP responses to extract out the relevant data fields Several popular formats including Javascript Object Notation (JSON) extensible Markup Language (XML)
24 Javascript Object Notation Intended as a lightweight data interchange format used to serialize & transmit structured data over a network connection It is used primarily to transmit data between a server & web application Data packaged in two types of structures: Maps of key/value pairs Ordered lists of values JSON's basic types are: Number (double precision floatingpoint format) String Boolean (true or false) Array (an ordered sequence of values, comma-separated & enclosed in square brackets) Object (an unordered collection of key:value pairs with the ':' character separating (distinct string) key & value, commaseparated & enclosed in curly braces) null (empty)
25 uth=-9.9&east=-22.4&west=55.2&username=demo Produces {"earthquakes : [ {"eqid":"c0001xgp","magnitude":8.8,"lng": ,"src":" us", "datetime":" :46:23","depth":24.4,"lat":38.322, {"eqid":"2007hear","magnitude":8.4,"lng": ,"src": "us", "datetime":" :10:26","depth":30,"lat": , {"eqid":"2010xkbv","magnitude":7.5,"lng": ,"src":" us", "datetime":" :26:50","depth":35,"lat": ]
26 class HttpGetTask extends AsyncTask<String, Void, List<String>> { protected List<String> doinbackground(string... params) { AndroidHttpClient client = AndroidHttpClient.newInstance(""); HttpGet request = new HttpGet(params[0]); JSONResponseHandler responsehandler = new JSONResponseHandler(); try { return client.execute(request, responsehandler); catch return null;
27 class JSONResponseHandler implements ResponseHandler<List<String>> { public List<String> handleresponse(httpresponse response) throws ClientProtocolException, IOException { List<String> result = new ArrayList<String>(); String JSONResponse = new BasicResponseHandler().handleResponse(response); try { JSONObject object = (JSONObject) new JSONTokener(JSONResponse).nextValue(); JSONArray earthquakes = object.getjsonarray("earthquakes"); for (int i = 0; i < earthquakes.length(); i++) { JSONObject tmp = (JSONObject) earthquakes.get(i); result.add("mag:" + tmp.get("magnitude") + " lat: + tmp.getstring("lat") + " lng:" + tmp.get("lng")); catch (JSONException e) { return result;
28 extensible Markup Language (XML) can structure, store, & transport data by defining a set of rules for encoding documents in format that is both humanreadable & machine-readable See XML documents are made up of storage units called entities Entities can contain markup Markup encodes description of storage layout & logical structure of documents XML is a popular format for sharing data on the internet Websites that update their content often provide XML feeds so that external programs can keep abreast of content changes Uploading & parsing XML data is a common task for network-connected apps Google recommends XmlPullParser to parse XML on Android
29 Several types of XML parsers available SAX Streaming with application callbacks android/sax/package-summary.html DOM Coverts document into a tree of nodes & then can apply Visitor pattern w3c/dom/package-summary.html Pull Application iterates over XML entries org/xmlpull/v1/xmlpullparser.html
30 4.1& south=-9.9&east=-22.4&west=55.2& username=demo Produces <geonames> <earthquake> <src>us</src> <eqid>c0001xgp</eqid> <datetime> :46:23 </datetime> <lat>38.322</lat> <lng> </lng> <magnitude>8.8</magnitude> <depth>24.4</depth> </earthquake> </geonames>
31 private class XMLResponseHandler implements ResponseHandler<List<String>> { public List<String> handleresponse(httpresponse response) throws ClientProtocolException, IOException { try { SAXParserFactory spf = SAXParserFactory.newInstance(); SAXParser sp = spf.newsaxparser(); XMLReader xr = sp.getxmlreader(); XMLContentHandler handler = new XMLContentHandler(); xr.setcontenthandler(handler); xr.parse(new InputSource(response.getEntity().getContent())); return handler.getdata(); catch return null;
32 private class XMLContentHandler extends DefaultHandler { String lat = null, lng = null, mag=null; boolean parsinglat = false, parsinglng = false, parsingmag=false; List<String> results = new ArrayList<String>(); public void startelement(string uri, String localname, String qname,attributes attributes) throws SAXException { if (localname.equals("lat")) { parsinglat = true; else if (localname.equals("lng")) { parsinglng = true; else if (localname.equals("magnitude")) { parsingmag = true;
33 public void characters(char[] ch, int start, int length) throws SAXException { if (parsinglat) { lat = new String(ch, start, length).trim(); else if public void endelement(string uri, String localname, String qname) { if (localname.equals("lat")) { parsinglat = false; else if else if (localname.equals("earthquake")) { results.add("lat:" + lat + " lng: " + lng + " mag:" + mag); lat = null; lng = null; mag = null; public List<String> getdata() { return results;
34 NetworkingSockets NetworkingURL NetworkingAndroidHttpClient NetworkingAndroidHttpClientJSON NetworkingAndroidHttpClientXML
Creating a Simple, Multithreaded Chat System with Java
Creating a Simple, Multithreaded Chat System with Java Introduction by George Crawford III In this edition of Objective Viewpoint, you will learn how to develop a simple chat system. The program will demonstrate
Sophos Mobile Control Network Access Control interface guide
Sophos Mobile Control Network Access Control interface guide Product version: 3.5 Document date: July 2013 Contents 1 About Sophos Mobile Control... 3 2 About Network Access Control integration... 4 3
Lesson: All About Sockets
All About Sockets http://java.sun.com/docs/books/tutorial/networking/sockets/index.html Page 1 sur 1 The Java TM Tutorial Start of Tutorial > Start of Trail Trail: Custom Networking Lesson: All About Sockets
Building a Multi-Threaded Web Server
Building a Multi-Threaded Web Server In this lab we will develop a Web server in two steps. In the end, you will have built a multi-threaded Web server that is capable of processing multiple simultaneous
Learning Outcomes. Networking. Sockets. TCP/IP Networks. Hostnames and DNS TCP/IP
CP4044 Lecture 7 1 Networking Learning Outcomes To understand basic network terminology To be able to communicate using Telnet To be aware of some common network services To be able to implement client
XML & Databases. Tutorial. 2. Parsing XML. Universität Konstanz. Database & Information Systems Group Prof. Marc H. Scholl
XML & Databases Tutorial Christian Grün, Database & Information Systems Group University of, Winter 2007/08 DOM Document Object Model Idea mapping the whole XML document to main memory The XML Processor
A Case Study of an Android* Client App Using Cloud-Based Alert Service
A Case Study of an Android* Client App Using Cloud-Based Alert Service Abstract This article discusses a case study of an Android client app using a cloud-based web service. The project was built on the
How to develop your own app
How to develop your own app It s important that everything on the hardware side and also on the software side of our Android-to-serial converter should be as simple as possible. We have the advantage that
Question1-part2 What undesirable consequences might there be in having too long a DNS cache entry lifetime?
CSCI 312 - DATA COMMUNICATIONS AND NETWORKS FALL, 2014 Assignment 4 Working as a group. Working in small gruops of 2-4 students. When you work as a group, you have to return only one home assignment per
Serializing Data with Protocol Buffers. Vinicius Vielmo Cogo Smalltalks, DI, FC/UL. February 12, 2014.
Serializing Data with Protocol Buffers Vinicius Vielmo Cogo Smalltalks, DI, FC/UL. February 12, 2014. Problem statement App2 App1 Storage 2 / 19 Problem statement App2 App1 Correct object Efficient (time
ANDROID APPS DEVELOPMENT FOR MOBILE GAME
ANDROID APPS DEVELOPMENT FOR MOBILE GAME Lecture 7: Data Storage and Web Services Overview Android provides several options for you to save persistent application data. Storage Option Shared Preferences
Division of Informatics, University of Edinburgh
CS1Bh Lecture Note 20 Client/server computing A modern computing environment consists of not just one computer, but several. When designing such an arrangement of computers it might at first seem that
XML Processing and Web Services. Chapter 17
XML Processing and Web Services Chapter 17 Textbook to be published by Pearson Ed 2015 in early Pearson 2014 Fundamentals of http://www.funwebdev.com Web Development Objectives 1 XML Overview 2 XML Processing
Spring Design ScreenShare Service SDK Instructions
Spring Design ScreenShare Service SDK Instructions V1.0.8 Change logs Date Version Changes 2013/2/28 1.0.0 First draft 2013/3/5 1.0.1 Redefined some interfaces according to issues raised by Richard Li
Assignment 4 Solutions
CSCI 312 - DATA COMMUNICATIONS AND NETWORKS FALL, 2014 Assignment 4 Solutions Working as a pair Working in pairs. When you work as a pair you have to return only one home assignment per pair on a round.
Sending and Receiving Data via Bluetooth with an Android Device
Sending and Receiving Data via Bluetooth with an Android Device Brian Wirsing March 26, 2014 Abstract Android developers often need to use Bluetooth in their projects. Unfortunately, Bluetooth can be confusing
HTTPS hg clone https://bitbucket.org/dsegna/device plugin library SSH hg clone ssh://[email protected]/dsegna/device plugin library
Contents Introduction... 2 Native Android Library... 2 Development Tools... 2 Downloading the Application... 3 Building the Application... 3 A&D... 4 Polytel... 6 Bluetooth Commands... 8 Fitbit and Withings...
Network Communication
Network Communication Outline Sockets Datagrams TCP/IP Client-Server model OSI Model Sockets Endpoint for bidirectional communication between two machines. To connect with each other, each of the client
Java Network. Slides prepared by : Farzana Rahman
Java Network Programming 1 Important Java Packages java.net java.io java.rmi java.security java.lang TCP/IP networking I/O streams & utilities Remote Method Invocation Security policies Threading classes
An Android-based Instant Message Application
An Android-based Instant Message Application Qi Lai, Mao Zheng and Tom Gendreau Department of Computer Science University of Wisconsin - La Crosse La Crosse, WI 54601 [email protected] Abstract One of the
The Java I/O System. Binary I/O streams (ascii, 8 bits) The decorator design pattern Character I/O streams (Unicode, 16 bits)
Binary I/O streams (ascii, 8 bits) InputStream OutputStream The Java I/O System The decorator design pattern Character I/O streams (Unicode, 16 bits) Reader Writer Comparing Binary I/O to Character I/O
LabVIEW Internet Toolkit User Guide
LabVIEW Internet Toolkit User Guide Version 6.0 Contents The LabVIEW Internet Toolkit provides you with the ability to incorporate Internet capabilities into VIs. You can use LabVIEW to work with XML documents,
Network-based Applications. Pavani Diwanji David Brown JavaSoft
Network-based Applications Pavani Diwanji David Brown JavaSoft Networking in Java Introduction Datagrams, Multicast TCP: Socket, ServerSocket Issues, Gotchas URL, URLConnection Protocol Handlers Q & A
SOCIAL NETWORKING IN SMARTPHONE THROUGH A PROTOTYPE IMPLEMENTATION USING ANDROID
Volume 5, No. 3, March 2014 Journal of Global Research in Computer Science RESEARCH PAPER Available Online at www.jgrcs.info SOCIAL NETWORKING IN SMARTPHONE THROUGH A PROTOTYPE IMPLEMENTATION USING ANDROID
Transparent Redirection of Network Sockets 1
Transparent Redirection of Network Sockets 1 Timothy S. Mitrovich, Kenneth M. Ford, and Niranjan Suri Institute for Human & Machine Cognition University of West Florida {tmitrovi,kford,nsuri}@ai.uwf.edu
Java 7 Recipes. Freddy Guime. vk» (,\['«** g!p#« Carl Dea. Josh Juneau. John O'Conner
1 vk» Java 7 Recipes (,\['«** - < g!p#«josh Juneau Carl Dea Freddy Guime John O'Conner Contents J Contents at a Glance About the Authors About the Technical Reviewers Acknowledgments Introduction iv xvi
Socket Programming in Java
Socket Programming in Java Learning Objectives The InetAddress Class Using sockets TCP sockets Datagram Sockets Classes in java.net The core package java.net contains a number of classes that allow programmers
Introduction to Java. Module 12: Networking (Java Sockets) Prepared by Costantinos Costa for EPL 233. ΕΠΛ233 Αντικειμενοστρεφής Προγραμματισμός 1
Introduction to Java Module 12: Networking (Java Sockets) Prepared by Costantinos Costa for EPL 233 ΕΠΛ233 Αντικειμενοστρεφής Προγραμματισμός 1 What Is a Socket? A socket is one end-point of a two-way
SETTING UP YOUR JAVA DEVELOPER ENVIRONMENT
SETTING UP YOUR JAVA DEVELOPER ENVIRONMENT Summary This tipsheet describes how to set up your local developer environment for integrating with Salesforce. This tipsheet describes how to set up your local
Network Programming. Writing network and internet applications.
Network Programming Writing network and internet applications. Overview > Network programming basics > Sockets > The TCP Server Framework > The Reactor Framework > High Level Protocols: HTTP, FTP and E-Mail
13 File Output and Input
SCIENTIFIC PROGRAMMING -1 13 File Output and Input 13.1 Introduction To make programs really useful we have to be able to input and output data in large machinereadable amounts, in particular we have to
Smooks Dev Tools Reference Guide. Version: 1.1.0.GA
Smooks Dev Tools Reference Guide Version: 1.1.0.GA Smooks Dev Tools Reference Guide 1. Introduction... 1 1.1. Key Features of Smooks Tools... 1 1.2. What is Smooks?... 1 1.3. What is Smooks Tools?... 2
Android Application Repackaging
ISA 564, Laboratory 4 Android Exploitation Software Requirements: 1. Android Studio http://developer.android.com/sdk/index.html 2. Java JDK http://www.oracle.com/technetwork/java/javase/downloads/index.html
Communicating with a Barco projector over network. Technical note
Communicating with a Barco projector over network Technical note MED20080612/00 12/06/2008 Barco nv Media & Entertainment Division Noordlaan 5, B-8520 Kuurne Phone: +32 56.36.89.70 Fax: +32 56.36.883.86
Getting Started Guide with WIZ550web
1/21 WIZ550web is an embedded Web server module based on WIZnet s W5500 hardwired TCP/IP chip, Users can control & monitor the 16-configurable digital I/O and 4-ADC inputs on module via web pages. WIZ550web
File I/O - Chapter 10. Many Stream Classes. Text Files vs Binary Files
File I/O - Chapter 10 A Java stream is a sequence of bytes. An InputStream can read from a file the console (System.in) a network socket an array of bytes in memory a StringBuffer a pipe, which is an OutputStream
CISC 4700 L01 Network & Client- Server Programming Spring 2016. Harold, Chapter 8: Sockets for Clients
CISC 4700 L01 Network & Client- Server Programming Spring 2016 Harold, Chapter 8: Sockets for Clients Datagram: Internet data packet Header: accounting info (e.g., address, port of source and dest) Payload:
N CYCLES software solutions. XML White Paper. Where XML Fits in Enterprise Applications. May 2001
N CYCLES software solutions White Paper Where Fits in Enterprise Applications May 2001 65 Germantown Court 1616 West Gate Circle Suite 205 Nashville, TN 37027 Cordova, TN 38125 Phone 901-756-2705 Phone
Limi Kalita / (IJCSIT) International Journal of Computer Science and Information Technologies, Vol. 5 (3), 2014, 4802-4807. Socket Programming
Socket Programming Limi Kalita M.Tech Student, Department of Computer Science and Engineering, Assam Down Town University, Guwahati, India. Abstract: The aim of the paper is to introduce sockets, its deployment
String sentence = new String(receivePacket.getData()); InetAddress IPAddress = receivepacket.getaddress(); int port = receivepacket.
164 CHAPTER 2 APPLICATION LAYER connection requests, as done in TCPServer.java. If multiple clients access this application, they will all send their packets into this single door, serversocket. String
IT6503 WEB PROGRAMMING. Unit-I
Handled By, VALLIAMMAI ENGINEERING COLLEGE SRM Nagar, Kattankulathur-603203. Department of Information Technology Question Bank- Odd Semester 2015-2016 IT6503 WEB PROGRAMMING Mr. K. Ravindran, A.P(Sr.G)
Android Programming. Android App. Høgskolen i Telemark Telemark University College. Cuong Nguyen, 2013.06.19
Høgskolen i Telemark Telemark University College Department of Electrical Engineering, Information Technology and Cybernetics Android Programming Cuong Nguyen, 2013.06.19 Android App Faculty of Technology,
INPUT AND OUTPUT STREAMS
INPUT AND OUTPUT The Java Platform supports different kinds of information sources and information sinks. A program may get data from an information source which may be a file on disk, a network connection,
public static void main(string[] args) { System.out.println("hello, world"); } }
Java in 21 minutes hello world basic data types classes & objects program structure constructors garbage collection I/O exceptions Strings Hello world import java.io.*; public class hello { public static
Mobility Information Series
SOAP vs REST RapidValue Enabling Mobility XML vs JSON Mobility Information Series Comparison between various Web Services Data Transfer Frameworks for Mobile Enabling Applications Author: Arun Chandran,
Transparent Redirection of Network Sockets 1
Transparent Redirection of Network Sockets Timothy S. Mitrovich, Kenneth M. Ford, and Niranjan Suri Institute for Human & Machine Cognition University of West Florida {tmitrovi,kford,[email protected].
www.virtualians.pk CS506 Web Design and Development Solved Online Quiz No. 01 www.virtualians.pk
CS506 Web Design and Development Solved Online Quiz No. 01 Which of the following is a general purpose container? JFrame Dialog JPanel JApplet Which of the following package needs to be import while handling
gomobi Traffic Switching Guide Version 0.9, 28 September 2010
gomobi Traffic Switching Guide Version 0.9, 28 September 2010 Mobile/Desktop Traffic Switching... 3 Summary of Options... 3 Single Site Solutions... 4 Server-side Switching Code... 4 JavaScript Switching
The HTTP Plug-in. Table of contents
Table of contents 1 What's it for?... 2 2 Controlling the HTTPPlugin... 2 2.1 Levels of Control... 2 2.2 Importing the HTTPPluginControl...3 2.3 Setting HTTPClient Authorization Module... 3 2.4 Setting
Network/Socket Programming in Java. Rajkumar Buyya
Network/Socket Programming in Java Rajkumar Buyya Elements of C-S Computing a client, a server, and network Client Request Result Network Server Client machine Server machine java.net Used to manage: URL
Remote System Monitor for Linux [RSML]: A Perspective
Volume No-1, Issue No-4, September, 2013 Remote System Monitor for Linux [RSML]: A Perspective Yashwant Singh Department of Computer Science & Engineering Jaypee University of Information Technology Solan,
Types of Cloud Computing
Types of Cloud Computing (SaaS)Software as a Service XaaS (PaaS) Platform as a Service (IaaS) Infrastructure as a Service Access to Cloud computing Service Web URL (standard HTTP methods) web brower HTTP
About the Tutorial. Audience. Prerequisites. Copyright & Disclaimer. AVRO Tutorial
i About the Tutorial Apache Avro is a language-neutral data serialization system, developed by Doug Cutting, the father of Hadoop. This is a brief tutorial that provides an overview of how to set up Avro
Developing a Web Server Platform with SAPI Support for AJAX RPC using JSON
Revista Informatica Economică, nr. 4 (44)/2007 45 Developing a Web Server Platform with SAPI Support for AJAX RPC using JSON Iulian ILIE-NEMEDI, Bucharest, Romania, [email protected] Writing a custom web
Capario B2B EDI Transaction Connection. Technical Specification for B2B Clients
Capario B2B EDI Transaction Connection Technical Specification for B2B Clients Revision History Date Version Description Author 02/03/2006 Draft Explanation for external B2B clients on how to develop a
Chapter 20 Streams and Binary Input/Output. Big Java Early Objects by Cay Horstmann Copyright 2014 by John Wiley & Sons. All rights reserved.
Chapter 20 Streams and Binary Input/Output Big Java Early Objects by Cay Horstmann Copyright 2014 by John Wiley & Sons. All rights reserved. 20.1 Readers, Writers, and Streams Two ways to store data: Text
Network Technologies
Network Technologies Glenn Strong Department of Computer Science School of Computer Science and Statistics Trinity College, Dublin January 28, 2014 What Happens When Browser Contacts Server I Top view:
Mobile App Sensor Documentation (English Version)
Mobile App Sensor Documentation (English Version) Mobile App Sensor Documentation (English Version) Version: 1.2.1 Date: 2015-03-25 Author: email: Kantar Media spring [email protected] Content Mobile App
SuperOffice Pocket CRM
SuperOffice Pocket CRM Version 7.5 Installation Guide Page 1 Table of Contents Introduction... 3 Prerequisites... 3 Scenarios... 3 Recommended small scenario... 3 About this version... 4 Deployment planning...
Contents. 2 Alfresco API Version 1.0
The Alfresco API Contents The Alfresco API... 3 How does an application do work on behalf of a user?... 4 Registering your application... 4 Authorization... 4 Refreshing an access token...7 Alfresco CMIS
Programming IoT Gateways With macchina.io
Programming IoT Gateways With macchina.io Günter Obiltschnig Applied Informatics Software Engineering GmbH Maria Elend 143 9182 Maria Elend Austria [email protected] This article shows how
READING DATA FROM KEYBOARD USING DATAINPUTSTREAM, BUFFEREDREADER AND SCANNER
READING DATA FROM KEYBOARD USING DATAINPUTSTREAM, BUFFEREDREADER AND SCANNER Reading text data from keyboard using DataInputStream As we have seen in introduction to streams, DataInputStream is a FilterInputStream
Onset Computer Corporation
Onset, HOBO, and HOBOlink are trademarks or registered trademarks of Onset Computer Corporation for its data logger products and configuration/interface software. All other trademarks are the property
Operating System Support for Inter-Application Monitoring in Android
Operating System Support for Inter-Application Monitoring in Android Daniel M. Jackowitz Spring 2013 Submitted in partial fulfillment of the requirements of the Master of Science in Software Engineering
Files and input/output streams
Unit 9 Files and input/output streams Summary The concept of file Writing and reading text files Operations on files Input streams: keyboard, file, internet Output streams: file, video Generalized writing
Drupal CMS for marketing sites
Drupal CMS for marketing sites Intro Sample sites: End to End flow Folder Structure Project setup Content Folder Data Store (Drupal CMS) Importing/Exporting Content Database Migrations Backend Config Unit
Consuming a Web Service(SOAP and RESTful) in Java. Cheat Sheet For Consuming Services in Java
Consuming a Web Service(SOAP and RESTful) in Java Cheat Sheet For Consuming Services in Java This document will provide a user the capability to create an application to consume a sample web service (Both
Development Techniques for Native/Hybrid Tizen Apps. Presented by Kirill Kruchinkin
Development Techniques for Native/Hybrid Tizen Apps Presented by Kirill Kruchinkin Agenda Introduction and Definitions Practices Case Studies 2 Introduction & Definitions 2 App Types Browser Apps Installable
IBM Watson Ecosystem. Getting Started Guide
IBM Watson Ecosystem Getting Started Guide Version 1.1 July 2014 1 Table of Contents: I. Prefix Overview II. Getting Started A. Prerequisite Learning III. Watson Experience Manager A. Assign User Roles
HttpClient Tutorial. Oleg Kalnichevski
HttpClient Tutorial Oleg Kalnichevski Preface... iv 1. HttpClient scope... iv 2. What HttpClient is NOT... iv 1. Fundamentals... 1 1.1. Request execution... 1 1.1.1. HTTP request... 1 1.1.2. HTTP response...
Application Development with TCP/IP. Brian S. Mitchell Drexel University
Application Development with TCP/IP Brian S. Mitchell Drexel University Agenda TCP/IP Application Development Environment Client/Server Computing with TCP/IP Sockets Port Numbers The TCP/IP Application
TUTORIAL FOR INITIALIZING BLUETOOTH COMMUNICATION BETWEEN ANDROID AND ARDUINO
TUTORIAL FOR INITIALIZING BLUETOOTH COMMUNICATION BETWEEN ANDROID AND ARDUINO some pre requirements by :-Lohit Jain *First of all download arduino software from www.arduino.cc *download software serial
HttpClient Tutorial. Oleg Kalnichevski Jonathan Moore Jilles van Gurp
HttpClient Tutorial Oleg Kalnichevski Jonathan Moore Jilles van Gurp Preface... iv 1. HttpClient scope... iv 2. What HttpClient is NOT... iv 1. Fundamentals... 1 1.1. Request execution... 1 1.1.1. HTTP
3.5. cmsg Developer s Guide. Data Acquisition Group JEFFERSON LAB. Version
Version 3.5 JEFFERSON LAB Data Acquisition Group cmsg Developer s Guide J E F F E R S O N L A B D A T A A C Q U I S I T I O N G R O U P cmsg Developer s Guide Elliott Wolin [email protected] Carl Timmer [email protected]
What is an I/O Stream?
Java I/O Stream 1 Topics What is an I/O stream? Types of Streams Stream class hierarchy Control flow of an I/O operation using Streams Byte streams Character streams Buffered streams Standard I/O streams
Java Programming Unit 10. Stock Price Quotes with URL, Sockets, and RMI
Java Programming Unit 10 Stock Price Quotes with URL, Sockets, and RMI GeFng Stock Quotes From Yahoo! 1. Visit hjp://finance.yahoo.com, enter AAPL - the symbol of the Apple s stock, and press the bujon
WEB SERVICES FOR MOBILE COMPUTING
WEB SERVICES FOR MOBILE COMPUTING Piyush M.Patil, Computer Department,University Of Mumbai, Mumbai,India,Mob-9699398650 Kushal Gohil, Computer Department,University Of Mumbai, Mumbai,India,Mob-9323916806
Research of Web Real-Time Communication Based on Web Socket
Int. J. Communications, Network and System Sciences, 2012, 5, 797-801 http://dx.doi.org/10.4236/ijcns.2012.512083 Published Online December 2012 (http://www.scirp.org/journal/ijcns) Research of Web Real-Time
Affdex SDK for Android. Developer Guide For SDK version 1.0
Affdex SDK for Android Developer Guide For SDK version 1.0 www.affdex.com/mobile-sdk 1 August 4, 2014 Introduction The Affdex SDK is the culmination of years of scientific research into emotion detection,
µtasker Document FTP Client
Embedding it better... µtasker Document FTP Client utaskerftp_client.doc/1.01 Copyright 2012 M.J.Butcher Consulting Table of Contents 1. Introduction...3 2. FTP Log-In...4 3. FTP Operation Modes...4 4.
Smartphone Enterprise Application Integration
WHITE PAPER MARCH 2011 Smartphone Enterprise Application Integration Rhomobile - Mobilize Your Enterprise Overview For more information on optimal smartphone development please see the Rhomobile White
D06 PROGRAMMING with JAVA
Cicles Formatius de Grau Superior Desenvolupament d Aplicacions Informàtiques D06 PROGRAMMING with JAVA Ch16 Files and Streams PowerPoint presentation, created by Angel A. Juan - ajuanp(@)gmail.com, for
MarkLogic Server. Node.js Application Developer s Guide. MarkLogic 8 February, 2015. Copyright 2016 MarkLogic Corporation. All rights reserved.
Node.js Application Developer s Guide 1 MarkLogic 8 February, 2015 Last Revised: 8.0-5, March, 2016 Copyright 2016 MarkLogic Corporation. All rights reserved. Table of Contents Table of Contents Node.js
Fairsail REST API: Guide for Developers
Fairsail REST API: Guide for Developers Version 1.02 FS-API-REST-PG-201509--R001.02 Fairsail 2015. All rights reserved. This document contains information proprietary to Fairsail and may not be reproduced,
Transport layer protocols. Message destination: Socket +Port. Asynchronous vs. Synchronous. Operations of Request-Reply. Sockets
Transport layer protocols Interprocess communication Synchronous and asynchronous comm. Message destination Reliability Ordering Client Server Lecture 15: Operating Systems and Networks Behzad Bordbar
Socket Programming. Announcement. Lectures moved to
Announcement Lectures moved to 150 GSPP, public policy building, right opposite Cory Hall on Hearst. Effective Jan 31 i.e. next Tuesday Socket Programming Nikhil Shetty GSI, EECS122 Spring 2006 1 Outline
Logging in Java Applications
Logging in Java Applications Logging provides a way to capture information about the operation of an application. Once captured, the information can be used for many purposes, but it is particularly useful
Amazon Glacier. Developer Guide API Version 2012-06-01
Amazon Glacier Developer Guide Amazon Glacier: Developer Guide Copyright 2016 Amazon Web Services, Inc. and/or its affiliates. All rights reserved. Amazon's trademarks and trade dress may not be used in
Generalised Socket Addresses for Unix Squeak 3.9 11
Generalised Socket Addresses for Unix Squeak 3.9 11 Ian Piumarta 2007 06 08 This document describes several new SocketPlugin primitives that allow IPv6 (and arbitrary future other) address formats to be
Documentation to use the Elia Infeed web services
Documentation to use the Elia Infeed web services Elia Version 1.0 2013-10-03 Printed on 3/10/13 10:22 Page 1 of 20 Table of Contents Chapter 1. Introduction... 4 1.1. Elia Infeed web page... 4 1.2. Elia
Integrating the Internet into Your Measurement System. DataSocket Technical Overview
Integrating the Internet into Your Measurement System DataSocket Technical Overview Introduction The Internet continues to become more integrated into our daily lives. This is particularly true for scientists
Android Persistency: Files
15 Android Persistency: Files Notes are based on: The Busy Coder's Guide to Android Development by Mark L. Murphy Copyright 2008-2009 CommonsWare, LLC. ISBN: 978-0-9816780-0-9 & Android Developers http://developer.android.com/index.html
DEPLOYMENT GUIDE Version 1.0. Deploying the BIG-IP LTM with Apache Tomcat and Apache HTTP Server
DEPLOYMENT GUIDE Version 1.0 Deploying the BIG-IP LTM with Apache Tomcat and Apache HTTP Server Table of Contents Table of Contents Deploying the BIG-IP LTM with Tomcat application servers and Apache web
Mobile Solutions for Data Collection. Sarah Croft and Laura Pierik
Mobile Solutions for Data Collection Sarah Croft and Laura Pierik Presentation Overview Project Overview Benefits of using Mobile Technology Mobile Solutions- two different approaches Results and Recommendations
Pre-authentication XXE vulnerability in the Services Drupal module
Pre-authentication XXE vulnerability in the Services Drupal module Security advisory 24/04/2015 Renaud Dubourguais www.synacktiv.com 14 rue Mademoiselle 75015 Paris 1. Vulnerability description 1.1. The
AVRO - SERIALIZATION
http://www.tutorialspoint.com/avro/avro_serialization.htm AVRO - SERIALIZATION Copyright tutorialspoint.com What is Serialization? Serialization is the process of translating data structures or objects
Revision Action/Change Date. A Sentinel Cloud 3.0 Release December 2012 B Sentinel Cloud 3.1 Release April 2013 C
ii Sentinel Cloud Web Services Guide Software Version This documentation is applicable for the Sentinel Cloud EMS Version 3.4. Revision History Part Number 007-012141-001, Revision E Revision Action/Change
