- First of all I will tell you how to create web service(SQL database) in Visual Studio with in 5 steps
File--->web Site(click) --->ASP .Net web Service
Step 2 : Create a Table
If Server Explorer is not appear ,then press ctrl + alt + s.Then add your data connection according to
your database.
Then add new table to your database.
create your table |
Save your table with table name |
enter some sample data
Step 3 : add a new class call connectionManager
give a class name :- ConnectionManager.Class |
click "Yes" button |
//----------------------------------------
using System;
using System.Data;
using System.Configuration;
using System.Linq;
using System.Web;
using System.Web.Security;
using System.Web.UI;
using System.Web.UI.HtmlControls;
using System.Web.UI.WebControls;
using System.Web.UI.WebControls.WebParts;
using System.Xml.Linq;
using System.Data.SqlClient;
public class ConnectionManager
{
public static SqlConnection NewCon;
public static string ConStr =
"Data Source=ADRIAN-PC\\SQLEXPRESS;Initial Catalog=SimpleLife;Integrated Security=True";
public static SqlConnection GetConnection()
{
NewCon = new SqlConnection(ConStr);
return NewCon;
}
}
//------------------------------------------------------------------------
in here you have to change your ConStr according to your database connection
Step 4 : add a new web method
Double click Service.cs
Double click Service.cs -->Then type following code(copy & paste)
//----------------------------------------------------
using System;
using System.Linq;
using System.Web;
using System.Web.Services;
using System.Web.Services.Protocols;
using System.Xml.Linq;
using System.Data.SqlClient;
using System.Data;
[WebService(Namespace = "http://tempuri.org/")]
[WebServiceBinding(ConformsTo = WsiProfiles.BasicProfile1_1)]
public class Service : System.Web.Services.WebService
{
public Service () {
}
[WebMethod]
public string findContact(string eid) {
return getContact(eid);
}
public String getContact(String eid)
{
SqlConnection conn;
conn = ConnectionManager.GetConnection();
conn.Open();
SqlCommand newCmd = conn.CreateCommand();
newCmd.CommandType = CommandType.Text;
newCmd.CommandText = "select Name from dbo.StudentContact where studentNo='" + eid + "'";
SqlDataReader sdr = newCmd.ExecuteReader();
String address=null;
if (sdr.Read())
{
address = sdr.GetValue(0).ToString();
}
conn.Close();
return address;
}
}
//------------------------------------------------------
Step 5 : Run your web service
This your web service |
Now you can see your findContact( ) WEB METHOD will appear on webs service
Now we can check this web service is work correctly, there for click findContact(light blue color) on web service.
type student no according to your insert data to the table.
now this web service is work properly. according to the student no it will appear student name.
Now I will tell you how to access this web service in Android
Step 1 : create your android project and create this main XML file
<?xml version="1.0" encoding="utf-8"?>
<LinearLayout xmlns:android="http://schemas.android.com/apk/res/android"
android:orientation="vertical"
android:layout_width="fill_parent"
android:layout_height="fill_parent"
>
<EditText
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:text="Type Student no"
android:id="@+id/editText1">
</EditText>
<Button
android:text="Get Name"
android:id="@+id/button1"
android:layout_width="wrap_content"
android:layout_height="wrap_content">
</Button>
<TextView
android:text="from Web service"
android:id="@+id/textView1"
android:layout_width="wrap_content"
android:layout_height="wrap_content">
</TextView>
</LinearLayout>
<LinearLayout xmlns:android="http://schemas.android.com/apk/res/android"
android:orientation="vertical"
android:layout_width="fill_parent"
android:layout_height="fill_parent"
>
<EditText
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:text="Type Student no"
android:id="@+id/editText1">
</EditText>
<Button
android:text="Get Name"
android:id="@+id/button1"
android:layout_width="wrap_content"
android:layout_height="wrap_content">
</Button>
<TextView
android:text="from Web service"
android:id="@+id/textView1"
android:layout_width="wrap_content"
android:layout_height="wrap_content">
</TextView>
</LinearLayout>
Step 2 : Download (http://sourceforge.net/projects/ksoap2/) KSOAP from the internet and locate on your hard disk.And add to the to your Android Project
Step 3 :Then Type following code in main activity .java class (according to your Main Activity class(.java) )which class you decide to display data.
package com.webservice; //In Here Your package com." your one ";
import org.ksoap2.SoapEnvelope;
import org.ksoap2.serialization.PropertyInfo;
import org.ksoap2.serialization.SoapObject;
import org.ksoap2.serialization.SoapSerializationEnvelope;
import org.ksoap2.transport.HttpTransportSE;
import android.app.Activity;
import android.content.Intent;
import android.os.Bundle;
import android.view.View;
import android.view.View.OnClickListener;
import android.widget.Button;
import android.widget.EditText;
import android.widget.TextView;
public class Main extends Activity
{
/** Called when the activity is first created. */
private static final String SOAP_ACTION = "http://tempuri.org/findContact";
private static final String OPERATION_NAME = "findContact";// your webservice web method name
private static final String WSDL_TARGET_NAMESPACE = "http://tempuri.org/";
private static final String SOAP_ADDRESS = "http://10.0.2.2:1506/WebSite3/Service.asmx";
// for the SOAP_ADDRESS, run your web service & see
//your web service Url :1506/WebSite3/Service.asmx ,1052 will be change according to your PC
TextView tvData1;
EditText edata;
Button button;
String studentNo;
//http://localhost:1827/WebSite1/Service.asmx/HelloWorld
//http://10.0.2.2:1827/WebSite1/Service.asmx
@Override
public void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.main);
tvData1 = (TextView)findViewById(R.id.textView1);
button=(Button)findViewById(R.id.button1);
button.setOnClickListener(new OnClickListener() {
public void onClick(View v) {
SoapObject request = new SoapObject(WSDL_TARGET_NAMESPACE, OPERATION_NAME);
PropertyInfo propertyInfo = new PropertyInfo();
propertyInfo.type = PropertyInfo.STRING_CLASS;
propertyInfo.name = "eid";
edata =(EditText)findViewById(R.id.editText1);
studentNo=edata.getText().toString();
request.addProperty(propertyInfo, studentNo);
SoapSerializationEnvelope envelope = new SoapSerializationEnvelope(
SoapEnvelope.VER11);
envelope.dotNet = true;
envelope.setOutputSoapObject(request);
HttpTransportSE httpTransport = new HttpTransportSE(SOAP_ADDRESS);
try {
httpTransport.call(SOAP_ACTION, envelope);
Object response = envelope.getResponse();
tvData1.setText(response.toString());
} catch (Exception exception) {
tvData1.setText(exception.toString()+" Or enter number is not Available!");
}
tvData1 = (TextView)findViewById(R.id.textView1);
}
});
//client = new DefaultHttpClient();
//new Read().execute("text");
}
}
Step 4 : Add User Permission to Manifest
" Internet User Permission "
Step 5 : Run your App
type Student No then click the button |
Good Luck!
I have downloaded the ksoap2 file from the link you have provided but it does not contain a jar file......So that it give me a class not found exception when i run the app.....
ReplyDelete" java.lang.NoClassDefFoundError: org.ksoap2.serialization.SoapObject"
sorry Bro....
DeleteTry this link....
http://www.4shared.com/file/uOhx5aoj/ksoap2-android-assembly-24-jar.html
if this one is not working ......PLZ send your Email address ...
my email address : dhanushkaadrian12@gmail.com
I will send ksoap2.jar
good luck!
hi guys....can u help...
DeleteI am trying to develop ASP.NET web application and also Android UI for the same application. I am new to android. I developed a simple screen that has a 2buttons and texview. Type something and clicking the button, saves theBooking datas in the dot.net database.and another one is clicking the button view Booking details...
Hey can you tell me how you got the SOAP address as?
ReplyDeleteprivate static final String SOAP_ADDRESS = "http://10.0.2.2:1506/WebSite3/Service.asmx"
When I run the web service the URL is:
http://localhost:64987/WebSite1/Service.asmx
How did you get http://10.0.2.2:1506/WebSite3/Service.asmx??
hey brother sorry for the late comment...(due to the exam)
Deleteconsider about your Url
http://localhost:64987/WebSite1/Service.asmx
we have to add 10.0.2.2 to your Url
because we have to access Local host from the Android Emulator..
now you have to change your Url like this
http://10.0.2.2:64987/WebSite1/Service.asmx
for more details check this blogs:-
http://saigeethamn.blogspot.com/2011/11/localhost-access-in-android-emulator.html
good Luck!
its by default url to run webservice locally on your computer bro!!!used it http://10.0.2.2:64987/WebSite1/Service.asmx
DeleteI have used 10.0.2.2 with the tailing port number 58497 of my pc. But getting java.net.ConnectException: failed to connect to /127.0.0.1 (port 58497): connect failed: ECONNREFUSED (Connection refused) error. What's wrong with my URL? Any help..pls..
DeleteThis comment has been removed by the author.
ReplyDeleteam gettting error like this
Deletejava.lang.NoClassDefFoundError: org.ksoap2.serialization.SoapObject
in android
what i have to do
pls answer me
Hi thanks for the tutorial it was a grate help , I am trying to receive multiple Strings from the web service any way to do that , thanks again.
ReplyDeleteChange your sql statement like this
Deletepublic String getReason1(string s)
{
conn.Open();
SqlCommand newCmd = conn.CreateCommand();
//newCmd.Connection = conn;
newCmd.CommandType = CommandType.Text;
newCmd.CommandText = "BookTitle from dbo.Book where BookCategory='" + s + "'";
SqlDataReader sdr = newCmd.ExecuteReader();
String myData = null;
while (sdr.Read())
{
myData = myData + sdr["BookTitle"] + " , ";
}
conn.Close();
return myData;
}
// in here you can take all book title in table with “,” …
// like this:- science,Biology,History,
//then you can split this book title and take it in to Array in android
String str2array;// put web service values in to this string ,
String[] arr=str2array.split(","); // in android
Thank you very much!
ReplyDeletehow to retrieve multiple value from a .net web service using soap.......and then howto display that data value in spinner ...is it possibe? any one help me....thanks in advance
ReplyDeleteChange your sql statement like this
Deletepublic String getReason1(string s)
{
conn.Open();
SqlCommand newCmd = conn.CreateCommand();
//newCmd.Connection = conn;
newCmd.CommandType = CommandType.Text;
newCmd.CommandText = "BookTitle from dbo.Book where BookCategory='" + s + "'";
SqlDataReader sdr = newCmd.ExecuteReader();
String myData = null;
while (sdr.Read())
{
myData = myData + sdr["BookTitle"] + " , ";
}
conn.Close();
return myData;
}
// in here you can take all book title in table with “,” …
// like this:- science,Biology,History,
//then you can split this book title and take it in to Array in android
String str2array;// put web service values in to this string ,
String[] arr=str2array.split(","); // in android
//By using this array you can add this items to list view or ....
can you please..put a Web Service REST Tutorial...please!!
ReplyDeleteThe method addProperty(PropertyInfo, Object) from the type SoapObject is deprecated
ReplyDeletewarning on line request.addProperty(...)
XMLPullParserException :(
ReplyDeleteI am getting the error.
ReplyDeletethe name ' connection manager ' does not exist in the current context
how to resolve this problem.
now I am getting the error.
ReplyDeleteCannot open database "logindb" requested by the login. The login failed.
Login failed for user 'CISLIVE3\dilwar'.
anybody know how to solve this error.
ReplyDeletejava.lang.NullPointerException
please help me as soon as possible
did u fix that error
Deletei'm also having the same problem
you should use asynctask for network operation
DeleteAnd by the way you wil get many other exceptions like networkOnMainThread..
I've tried your coding but when I tried of Android apps can not display data from its web? diandroid applications directly out
ReplyDeletehave you added android internet permission??
Deletenice tutorial :)
ReplyDeleteHi:),I'm getting this error
ReplyDelete"android java.net.sockettimeoutexception to connect to 10.0.2.2:55980/LocalSite/Service.asmx"..is there anything I can do,oh and btw great tutorial:)
I forgat to say that this only happens when testing on my device.In emulator it works
ReplyDeleteI am getting an error when i am entering the StudentNo... the error is "UNFORUNATLY THE APP IS STOP".
ReplyDeleteplease can anyone help me out
how it would be with two parameters
ReplyDeleteChange your sql statement like this
Deletepublic String getReason1(string s)
{
conn.Open();
SqlCommand newCmd = conn.CreateCommand();
//newCmd.Connection = conn;
newCmd.CommandType = CommandType.Text;
newCmd.CommandText = "BookTitle from dbo.Book where BookCategory='" + s + "'";
SqlDataReader sdr = newCmd.ExecuteReader();
String myData = null;
while (sdr.Read())
{
myData = myData + sdr["BookTitle"] + " , ";
}
conn.Close();
return myData;
}
// in here you can take all book title in table with “,” …
// like this:- science,Biology,History,
//then you can split this book title and take it in to Array in android
String str2array;// put web service values in to this string ,
String[] arr=str2array.split(","); // in android
i am getting error in android while running
ReplyDeleteerror :no class deffounderror:org.koasp2.serialization.soapobject at com.example.network.mainactivity$1.onClick(MainAtivity.java:41)
I am getting an error of not getting connected to server or instance does
ReplyDeletenot appear. Help me out
how can I publish apk with jar file to actual device ?
ReplyDeleteThis blog offers the c#.Net services in mobile applications..
ReplyDeleteC#.Net Training in Noida
I was very pleased to find this site. I wanted to thank you for this great read!! I definitely enjoyed every little bit of it and I have you bookmarked to check out the new stuff you post. cell phone detector
ReplyDeleteExcellent information, Great post here. I found that you shared a complete information on Android Apps Development. OnGraph Technologies provide Android App development services and other Mobile app development services.
ReplyDeleteDude I usually do not comment on posts, but this one is fucking good, thank you, after 2 days and 2 nights looking for something about how to consume the web service .net from android, I found this post which solved my problems in 20 minutes! thank you very much!
ReplyDeleteHai,
ReplyDeleteFirst of all thank you so much for the post.
I have faced one error while programming the error is like this.
android.Os.NetworkOnMainThreadException
am not able to trace it can anybody help me??
you should use asynctask for network operation.
Deletehow do you use asynctask it?
DeleteFirst of ALL Thank u so much for u
ReplyDeleteim getting error like java.lang.null pointer exception
could u please resolve this
please help
hey palani......
Deletecall the web service from async task....
your problm will be solved.....
if not let me know......
happy coding :)
can you write the code for async task please
DeleteHello sir,I did whole code as it is .I did .net web service.But still i am facing problem with accessing data in android .
ReplyDeleteOn click of button following error is occurred ....
06-26 05:59:35.346: E/AndroidRuntime(3958): FATAL EXCEPTION: main
06-26 05:59:35.346: E/AndroidRuntime(3958): Process: com.example.ksoap, PID: 3958
06-26 05:59:35.346: E/AndroidRuntime(3958): java.lang.NoClassDefFoundError: org.ksoap2.serialization.SoapObject
06-26 05:59:35.346: E/AndroidRuntime(3958): at com.example.ksoap.MainActivity$1.onClick(MainActivity.java:53)
06-26 05:59:35.346: E/AndroidRuntime(3958): at android.view.View.performClick(View.java:4424)
06-26 05:59:35.346: E/AndroidRuntime(3958): at android.view.View$PerformClick.run(View.java:18383)
06-26 05:59:35.346: E/AndroidRuntime(3958): at android.os.Handler.handleCallback(Handler.java:733)
06-26 05:59:35.346: E/AndroidRuntime(3958): at android.os.Handler.dispatchMessage(Handler.java:95)
06-26 05:59:35.346: E/AndroidRuntime(3958): at android.os.Looper.loop(Looper.java:137)
06-26 05:59:35.346: E/AndroidRuntime(3958): at android.app.ActivityThread.main(ActivityThread.java:4998)
06-26 05:59:35.346: E/AndroidRuntime(3958): at java.lang.reflect.Method.invokeNative(Native Method)
06-26 05:59:35.346: E/AndroidRuntime(3958): at java.lang.reflect.Method.invoke(Method.java:515)
06-26 05:59:35.346: E/AndroidRuntime(3958): at com.android.internal.os.ZygoteInit$MethodAndArgsCaller.run(ZygoteInit.java:777)
06-26 05:59:35.346: E/AndroidRuntime(3958): at com.android.internal.os.ZygoteInit.main(ZygoteInit.java:593)
06-26 05:59:35.346: E/AndroidRuntime(3958): at dalvik.system.NativeStart.main(Native Method)
please help me solve this problem .
can pls anyone tell me how to change this ConStr
ReplyDeletepublic static string ConStr =
"Data Source=ADRIAN-PC\\SQLEXPRESS;Initial Catalog=SimpleLife;Integrated Security=True";
Nice post!!!!!!!!
ReplyDeleteIt provides the training in DOT NET and PHP...
6 Months Training in C#.Net
Mobile App Development services and Android Application development is custom Mobile application development and Android Application Development Company, who offers hire an affordable, professional and skilled mobile app developers.
ReplyDeleteThis comment has been removed by the author.
ReplyDeleteandroid.os.NetworkOnMainThreadException on execute
ReplyDeletei dont see "add new table" (2. process)
ReplyDeleteHow can i Insert into the webservice database from android
ReplyDeletehelpful article
ReplyDeletei need help...i created web service (wcf, json return, framework 4.0) on visual studio 2012 and publish it in iis and run it on url (ip address)...in browser, but when i call it on android mobile then nothing return...
ReplyDeletehow would done json in asp.net webservice?
Deletemobile application development cost in india -
ReplyDeleteInnverse Technologies India Bassed Mobile Application Development Company offer Mobile Game development, Android Application Development and iPhone Application Development services according your needs and budget
It’s nice information regarding mobile application development. The new mobile apps updations can clears first before develop any mobile app.
ReplyDeleteThe app crashes every time while i use the "GET Name" button....am i missing smthng ??....
ReplyDeleteif need the code for login can u send to me by mail or publish online my mail is :: ibrahim.miari26@gmail.com
ReplyDeletenot working..
ReplyDeleteWonderful blog & good post.Its really helpful for me, awaiting for more new post. Keep Blogging!
ReplyDeleteMobile Application Development Training in Chennai
getting Exception
ReplyDeleteorg.xmlpull.v1.XmlPullParserException: expected: START_TAG {http://schemas.xmlsoap.org/soap/envelope/}Envelope (position:START_TAG@2:7 in java.io.InputStreamReader@1956e49a)
facing problem with httpTransport.call(SOAP_ACTION, envelope); could u please resolve this
Did you get over this problem ?
DeleteI am getting networkonmainthreadexception .plz give me solution
ReplyDeletehi...i did same code ..but i have an error like ths"Unfortunaly ur app force to close"
ReplyDeletehi...my webserviices s workng fine ...pls check these url ..pls help me..:-(
ReplyDelete/** Called when the activity is first created. */
private static final String SOAP_ACTION = "http://tempuri.org/GetVehicleDetails";
private static final String OPERATION_NAME = "GetVehicleDetails";// your webservice web method name
private static final String WSDL_TARGET_NAMESPACE = "http://tempuri.org/";
private static final String SOAP_ADDRESS = "http://10.0.2.2:64987/WebSite1/Service.asmx/GetVehicleDetails";
Good example but..
ReplyDeletecan you please provide example using Async Task
Please help.
ReplyDeletejava.lang.IllegalArgumentException: is == null, below are my logcat messages.
10-15 17:22:30.865 27119-27134/com.example.admin.sqlservice W/System.err: java.lang.IllegalArgumentException: is == null
10-15 17:22:30.865 27119-27134/com.example.admin.sqlservice W/System.err: at org.kxml2.io.KXmlParser.setInput(KXmlParser.java:1625)
10-15 17:22:30.865 27119-27134/com.example.admin.sqlservice W/System.err: at org.ksoap2.transport.Transport.parseResponse(Transport.java:117)
10-15 17:22:30.869 27119-27134/com.example.admin.sqlservice W/System.err: at org.ksoap2.transport.HttpTransportSE.call(HttpTransportSE.java:275)
10-15 17:22:30.869 27119-27134/com.example.admin.sqlservice W/System.err: at org.ksoap2.transport.HttpTransportSE.call(HttpTransportSE.java:118)
10-15 17:22:30.869 27119-27134/com.example.admin.sqlservice W/System.err: at org.ksoap2.transport.HttpTransportSE.call(HttpTransportSE.java:113)
10-15 17:22:30.869 27119-27134/com.example.admin.sqlservice W/System.err: at com.example.admin.sqlservice.MainActivity$MyTask.doInBackground(MainActivity.java:84)
10-15 17:22:30.869 27119-27134/com.example.admin.sqlservice W/System.err: at com.example.admin.sqlservice.MainActivity$MyTask.doInBackground(MainActivity.java:63)
10-15 17:22:30.873 27119-27134/com.example.admin.sqlservice W/System.err: at android.os.AsyncTask$2.call(AsyncTask.java:288)
10-15 17:22:30.873 27119-27134/com.example.admin.sqlservice W/System.err: at java.util.concurrent.FutureTask.run(FutureTask.java:237)
10-15 17:22:30.873 27119-27134/com.example.admin.sqlservice W/System.err: at android.os.AsyncTask$SerialExecutor$1.run(AsyncTask.java:231)
10-15 17:22:30.877 27119-27134/com.example.admin.sqlservice W/System.err: at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1112)
10-15 17:22:30.877 27119-27134/com.example.admin.sqlservice W/System.err: at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:587)
10-15 17:22:30.877 27119-27134/com.example.admin.sqlservice W/System.err: at java.lang.Thread.run(Thread.java:841)
This comment has been removed by the author.
ReplyDeleteThis post is really nice and informative. The explanation given is really comprehensive and informative.Best Web Design Company in Bangalore | Website Development Company Bangalore
ReplyDeleteC# or .net is today's growing programming languages. Web and Apps Development Services Jaipur. Jovi International provides the best Web and Apps Development, E Commerce Web Development, Custom Web Application Services in Jaipur and all over India.
ReplyDeleteAccuratesolutionltd führt mobile app Entwicklungsunternehmen. Wir entwickeln Apps für Handys, Tablets , iPads und iPhones . Dies ist aufgrund der zunehmenden Nutzung von Internet und Mobilgeräte in Deutschland .
ReplyDeleteI found the error : java.lang.illegalargumentexception.
ReplyDeletePlease help me to resolve.
hello,sir
ReplyDeletehow to solve error:java.net.Stacktimeout exception.
please reply
You can do with AsyncCallWS task method.
Deletebutton1.setOnClickListener(new OnClickListener() {
@Override
public void onClick(View v) {
id=edata.getText().toString();
AsyncCallWS task = new AsyncCallWS();
task.execute();
}
});
private class AsyncCallWS extends AsyncTask {
@Override
protected String doInBackground(String... params) {
request = new SoapObject(NAMESPACE, "findContact");
eid=new PropertyInfo();
eid.setName("eid");
eid.setValue(id);
eid.setType(String.class);
request.addProperty(eid);
envelope = new SoapSerializationEnvelope(SoapEnvelope.VER11);
// creating a serialized envelope which will be used to carry the
// parameters for SOAP body and call the method
envelope.dotNet = true;
envelope.setOutputSoapObject(request);
androidHttpTransport = new HttpTransportSE(URL);
try {
androidHttpTransport.call(SOAP_ACTION + "findContact", envelope); // Hello
//SoapPrimitive response = (SoapPrimitive) envelope.getResponse();
//Assign it to fahren static variable
Log.d("1", "~");
response = (SoapPrimitive) envelope.getResponse();
//SoapObject response = (SoapObject)envelope.getResponse();
//Log.d(,"~");
serverreponse = response.toString();
} catch (Exception e) {
e.printStackTrace();
serverreponse = "Error Occurred";
}
return serverreponse;
}
protected void onPostExecute(String result) {
tvData1.setText(result);
Intent myIntent = new Intent(FindActivity.this,FinalActivity.class);
myIntent.putExtra("mytext",result);
startActivity(myIntent);
}
What you mean by "//SoapPrimitive response = (SoapPrimitive) envelope.getResponse();
Delete//Assign it to fahren static variable"
I am getting error in line " request.addProperty(propertyInfo, studentNo);" as "The method add property from the type soapobject is deprecated" Please help what to do how to resolve this ?
ReplyDelete
ReplyDeleteDean Infotech Expert in Asp.Net Development Company India 260+ ASP.NET/VB.NET/C# Developers, Offshore Outsourcing, 15 Yrs Exp.
Hi nice job this was useful and informative regarding
ReplyDeleteDot Net Training
Android Training
Nice post, I bookmark your blog because I found very good information on your blog, Thanks for sharing more information Android App Development Company in India
ReplyDeleteplease send me asp.net webservice example
ReplyDeleteashishkevadiya003@gmail.com
Thanks for the posting!
ReplyDeleteBest Dot Net course Training in Chennai
www.corpits.in
Thanks for sharing as it is an excellent post. Pls visit us : Mobile App Design Chennai
ReplyDeleteYour post nice a nice information. It was great article and explanation. Keep more sharing with us. Web Designing Bangalore | Web Design Companies Bangalore
ReplyDeleteYour post is very good and informative. Really your information also good. Keep more sharing valuable info with us. Web Designing Bangalore | Web Design Companies Bangalore
ReplyDeleteError: error: class Main is public, should be declared in a file named Main.java
ReplyDeleteThis is the error am getting, Copied above given code...
Hello
ReplyDeletei am using this code in android studio but it didnt show any record when i am entering no. and i have published that webservice on IIS server.please help me
This comment has been removed by the author.
ReplyDeleteThanks for the posting,
ReplyDeleteCustom software company India
nice blog
ReplyDeleteAndroid App Development Company
Hey, nice work! I really appreciate your article and your effort made.
ReplyDeleteWeb Development Company in Bangalore | Website Design Company Bangalore
ReplyDeleteYour blog has given me that thing which I never expect to get from all over the websites. Nice post guys!
regards,
melbourne web designer
Awesome blog with valuable information. Keep sharing. very good resource for developers.
ReplyDeletePHP company in india
Do not Work Correctly
ReplyDeleteThanks for sharing as it is an excellent post.
ReplyDeleteTop Digital Marketing Company
This is fine blog to learn application build process
ReplyDeleteA very awesome blog post. We are really grateful for your blog post. You will find a lot of approaches after visiting your post. I was exactly searching for. Thanks for such post and please keep it up. Great
ReplyDeleteAndroid Application Development
Very amazing tutorial sir
ReplyDeleteplease urgently
am still having an error after clicking the button when it try to retrieve the data which says the following:
"org.xmlpull.v1.xmlpullparserexception:expected:START_TAG {http://schemas.xmlsoap.org/soap/envelop/}Envelope(position START_TAG @2.7 in java.io.inputStreamReader"
Thanks in advance sir.
Did you solve this error?
DeleteGreat posting!! Well Done.
ReplyDeleteOnline android app development course in Noida
Nice post.Give it up. Thanks for share this article. For more detail visit Android App Development Company in India
ReplyDeleteFacing this problem and i am unable to resolve it
ReplyDeleteorg.xmlpull.v1.XmlPullParserException: expected: START_TAG
cannot resolve ksoap2 after putting ksoap2 in in project libs folder in android studio....pls give solution anyone
ReplyDeleteI am getting an exception NetworkonMainThread. Web Design Bangalore
ReplyDeleteIt's interesting that many of the bloggers your tips helped to clarify a few things for me as well as giving..
ReplyDeleteMobile App Development Company
Android app Development Company
ios app development Company
Mobile App Development Companies
Mobile Application design & development is a broad term that encompasses a wide variety of tasks.
ReplyDeleteMagento Website Development Companies in Bangalore | Magento Development Service in Bangalore
Mobile Application design & development is a broad term that encompasses a wide variety of tasks.
ReplyDeleteMagento Website Development Companies in Bangalore | Magento Development Service in Bangalore
This is very good services, keep more sharing.
ReplyDeleteWebsite Design Company Bangalore | Web Design Companies Bangalore
how to make propertyinfo with 2 parameters?
ReplyDeleteThanks for sharing such wonderful information about Asp.net Application Company.I read your articles very excellent and the i agree our all points because all is very good information provided this through in the post.
ReplyDeleteI was Rewriting a Research Paper-Dissertation Qualitatively before I landed on this coding forum and I have found important programming information that will help me to write my research program. Thanks so much for posting this information and I am looking forward to reading more interesting and educative threads from this forum.
ReplyDeleteGreat explanation with coding and screenshots.
ReplyDeletethanks for sharing, it was very helpful for me.
Web Design company in Hubli | web designing in Hubli | SEO company in Hubli
If you could explain something about the topic, it will be good for readers
ReplyDeleteWeb Design company in Hubli | web designing in Hubli | SEO company in Hubli
This comment has been removed by the author.
ReplyDeleteThese ways are very simple and very much useful, as a beginner level these helped me a lot thanks fore sharing these kinds of useful and knowledgeable information.
ReplyDeleteMobile App Development Company
Mobile App Development Companies
well post Vendorzapp provides Mobile apps for small business, Ecommerce android apps India, iOS ecommerce apps, Ecommerce website Pune, Ready ecommerce website and apps. Android ecommerce apps then visit now Ecommerce android apps India, iOS ecommerce apps, ecommerce website for small business call us +91-9850889625
ReplyDelete
ReplyDeleteGiven so much info in it, These type of articles keeps the users interest in the website, and keep on sharing more ... good luck. Android Training in chennai |Android Training in Velachery
Thanks for sharing this imformative blog..... Click To Call services provider in India enable the business to enhance leads through the website visitors. Through this service, you can interact with the right customer service agent and website visitors, instantly and serve as an efficient customer service provider.
ReplyDeletegreat blog Vendorzapp provides Mobile apps for small business, Ecommerce android apps India, iOS ecommerce apps, Ecommerce website Pune, Ready ecommerce website and apps. Android ecommerce apps then visit now Ecommerce android apps India, iOS ecommerce apps, ecommerce website for small business call us +91-9850889625
ReplyDeleteThese ways are very simple and very much useful, as a beginner level these helped me a lot thanks fore sharing these kinds of useful and knowledgeable information.
ReplyDeletePHP training in chennai
Thanks for Sharing
ReplyDeleteLeadNXT, the best Cloud Telephony Service provider offersClick to Call Services Provider In India Call service that enables businesses to enhance leads by converting your website visitors into sales leads.
LeadNXT, provides click to call services in India that allows website visitors to talk to appropriate customer service agents, instantly and generate business. Click To Call It allows to specific service agents instantly, and enable to generate business leads & improving sales conversions.
ReplyDeleteThanks for sharing your fabulous idea. This blog is really very useful.Android App Development Company in India
ReplyDeletesir...am getting error is like android.os.NetworkMainThreadExceptionError
ReplyDeleteWhen you are preparing to develop web applications you should ensure that you are familiar with the web service. This is because for every application, you need to host it in the right way so that it functions well. After reading this blog I have realized that there are new and convenient web services. As I read the Guidance on how to Write an Essay for android applications, I will use these tips.
ReplyDelete
ReplyDeleteBeing new to the blogging world I feel like there is still so much to learn. Your tips helped to clarify a few things for me as well
iOS App Development Company
iOS App Development Company
Many thanks for making the effort to discuss this, I feel strongly about this and love studying a great deal more on this subject. If possible, as you gain knowledge, would you mind updating your webpage with a great deal more info? It’s very helpful for me.
ReplyDeleteRegards
Ella
it service company
it services company
mobility software development
Very useful, thanks for sharing. Android App Development Company Noida India
ReplyDeleteBeing new to the blogging world I feel like there is still so much to learn. Your tips helped to clarify a few things for me as well
ReplyDeleteiOS App Development Company
Nice article. Keep writing! e-commerce website development
ReplyDeleteoffers e-commerce website design and development in Chennai
Thanks for Sharing this great article..Its really nice and useful for us… keep sharing..
ReplyDeleteYasir Jamal
Thanks you very much for sharing. You always try to sharing such a good information with us.
ReplyDeleteAndroid App Development Company in Delhi India
java.net time out exception in coming plz help
ReplyDeleteNice post. Thanks for sharing and providing relevant information. This is really useful.
ReplyDeleteAndroid App Development in Lucknow | Mobile App Development in Lucknow
Your blog is an interesting for reading. Thank you for Sharing.Mobile App development companies
ReplyDeleteThank you for sharing information...you need an Software Development Company In Lucknow that will help you to increase
ReplyDeleteyour effective online presence, conversion rate, and automatically proffer you higher ROI. Contact Seo services Lucknow provide Digital Marketing company in Lucknow at affordable rate.
Seo services Lucknow | Software Development Company In Lucknow | Web designing company in Lucknow
Awesome tips, thank you very much! Android App Development Company in India
ReplyDeleteThis comment has been removed by the author.
ReplyDeleteThanks for sharing this articles, Keep publishing your content and publish new content for good readers.Android Application Development Company
ReplyDeleteI would like to say that this blog really convinced me, you give me best information! Thanks, very good post.
ReplyDeleteiPhone Application Development
I simply want to say I’m very new to blogs and actually loved you’re blog site. Almost certainly I’m going to bookmark your blog post . You absolutely come with great well written articles. Thanks a lot for sharing your blog.
ReplyDeleteDigital marketing company in Lucknow
good article. I like to read this post because I met so many new facts about it actually. Thanks a lot. Android App Development Company Noida
ReplyDeleteAwesome Tips here. This is really great and informative post. Online Android Development Course In Noida
ReplyDeleteThe information you provide is really helpful. I am a regular reader of your blog.Mobile App development companies
ReplyDeleteThis comment has been removed by the author.
ReplyDeletewhen i am using my phone for running the application? what url i should use?
ReplyDeleteThanks for the informative article. Like to read this blog often. Keep updating me about new technologies.
ReplyDeleteweb development Dubai
well-written and informative piece!. this blog is very helpful and we can take lots of ideas. Android App Development Company Noida
ReplyDeleteThanks for sharing informative blog...
ReplyDeleteWeb Application Development Pune
Top Web Design & Development Company Pune
Digital Marketing Company Pune
E-commerce Development Pune
This is a very good tip especially to those fresh to the blogosphere.
ReplyDeleteSimple but very precise info… Thanks for sharing this one.
Custom Software Development Company in India
Information is too good and very usefull, thanks for sharing this wonderfull information
ReplyDeletebest seo packages company in bangalore
SEO Expert in Bangalore
This article is very much helpful and i hope this will be an useful information for the needed one. Keep on updating these kinds of informative things...
ReplyDeletePSD to Wordpress
wordpress website development
This article was a really interesting read, information has been presented in a clear and concise manner. Thanks!
ReplyDeleteWebsite Development Company Bangalore
Website Design and Development Companies in Bangalore
eCommerce Website developers in bangalore
Outsource magento ecommerce services india
This is an awesome post. Really very informative and creative contents. This concept is a good way to enhance the knowledge.
ReplyDeleteLike it and help me to development very well Thank you for this brief explanation and very nice information. Well got good
knowledge.
Android Training in Gurgaon
I am grateful for this blog to give me much information with respect to my territory of work. I likewise need to make some expansion on this stage which must be in information of individuals who truly in require. Much appreciated.
ReplyDeleteWebsite developers in bangalore| Website design companies in bangalore
Tech Intellectuals is a custom software development and staffing company. C# Development
ReplyDeleteBulk sms is a most fastest service in india for promote your Business. these service applications follow a particular channel and bandwidth limitation in delivering the messages to multiple users at a single time, It sends instant SMS alerts to the bulk SMS provider via delivery reports per message send to the targeted customer.
ReplyDeletehttp://truebulksms.com./bulk-sms.html
Awesome blog!
ReplyDeleteThank you for sharing this great article, It involves very useful information.
iphone job Oriented course
iphone job training center
iphone training institute in bangalore
apple ios training institutes Hyderabad
This is a perfect blog to learners who are looking for android technology, check it once at Android Online Course
ReplyDeleteThis Date Calculator app will allow you to calculate the duration like total days, total years, total weeks and total hours between any two given dates which makes the process in a easy and simple way. date counter
ReplyDeleteNice Information thank you for Sharing useful information.
ReplyDeleteMobile App Development Companies in Delhi NCR
Thanks for sharing this valuable information.
ReplyDeleteAndroid Training in Noida
Great information for these blog!! And Very good work. It is very interesting to learn from to easy understood. Thank you for giving information. Please let us know and more information get post to link.
ReplyDeleteDevops interview Questions
Bulk SMS services is the best mode to deliver your message to your customer then it is the newest choice for most of the companies these days.
ReplyDeleteBulk SMS services is the best mode to deliver your message to your customer then it is the newest choice for most of the companies these days.
ReplyDeleteGreat Post, Thanks for the information.
ReplyDeleteWeb Design & Development company offering the web services, So,people should analyze which company would provide best performance and which one is satisfy our expectation in web design services Delhi.
Web Designing Company in Delhi, Web Development Company Delhi
It's amazing blog And useful for me Thanks
ReplyDelete. Net Online Course
Web Development Development Company in Lucknow India, USA, UK
ReplyDeleteWebsite Designing Company in Delhi offer services like responsive website design, ecommerce website design, custom website design in which our web designers deal directly with each customer.
ReplyDeleteWebsite Designing Company in Delhi offer services like responsive website design, ecommerce website design, custom website design in which our web designers deal directly with each customer.
ReplyDeleteThank you for sharing your knowledgeable information
ReplyDeleteweb design company in chennai
web development company in chennai
SEO company in chennai
Bulk SMS services is the best method to delivered your message to your audience hence it is the hottest choice for most of the company these days.
ReplyDeleteThanks for sharing, It 's excellent post
ReplyDelete.Net Online Training
It 's an amazing article and useful for developers
ReplyDeleteiOS App development Online Training
Hello.. your blog is great. I read your blog and like it very much. Thanks for sharing.
ReplyDeleteASP.NET training institute in Noida
Amazing post thanks for sharing the post.Your blogs are admirable and full of knowledge. Famous Astrologer in Sydney | Best Indian Astrologer in Sydney
ReplyDeleteI am grateful for this blog. Great work done. I am also a beginner and therefore this guide is very useful to me. I wanted to learn C# Web development and your blog helped me a lot in this.
ReplyDeleteThis comment has been removed by the author.
ReplyDeleteKeep it up, this is really very informative.
ReplyDeleteWebsite Designing company
Web Development company
Keep it up, this is really very informative.
ReplyDeleteWebsite Designing company
Web Development company
Keep it up, this is really very informative.
ReplyDeleteWebsite Designing company
Web Development company
Really an interesting and amazing post. Thanks for sharing this wonderful informative article here. I appreciate your hard work.Web Designing Company Bangalore | Website Design Company Bangalore
ReplyDeleteI really loved going through this article because it has steps which was defined clearly about mobile app development and am sure this will be helpful for the beginners.
ReplyDeleteecommerce website development in chennai
ecommerce development chennai
"I really loved going through this article because it has steps which was defined clearly about mobile app development and am sure this will be helpful for the beginners.
ReplyDeleteecommerce website development in chennai
ecommerce development chennai"
Thanks to this using fore me.MOBILE APPLICATION DEVELOPMENT!
ReplyDeleteNice blog to share. Much useful information in this blog. API development services.
ReplyDeleteI'm here representing the visitors and readers of your own website say many thanks for many remarkable
ReplyDeletepython training in chennai | python training in bangalore
python online training | python training in pune
python training in chennai | python training in bangalore
python training in tambaram |
I think you have a long story to share and i am glad after long time finally you cam and shared your experience.
ReplyDeletejava training in omr
java training in annanagar | java training in chennai
java training in marathahalli | java training in btm layout
java training in rajaji nagar | java training in jayanagar
Its a very amazing blog !!! This valuable and very informative blog is going to help the people to a great extent. Web Designing Company in Bangalore | Website Design Companies in Bangalore
ReplyDeleteNice post. By reading your blog, i get inspired and this provides some useful information. Thank you for posting this exclusive post for our vision.
ReplyDeletepython training in chennai | python training in bangalore
python online training | python training in pune
python training in chennai
Needed to compose you a very little word to thank you yet again regarding the nice suggestions you’ve contributed here.
ReplyDeletepython training in chennai | python training in bangalore
python online training | python training in pune
python training in chennai
I simply want to give you a huge thumbs up for the great info you have got here on this post.
ReplyDeletejava training in annanagar | java training in chennai
java training in marathahalli | java training in btm layout
java training in rajaji nagar | java training in jayanagar
Thank you for taking the time and sharing this information with us. It was indeed very helpful and insightful while being straight forward and to the point.
ReplyDeleteData Science with Python training in chenni
Data Science training in chennai
Data science training in velachery
Data science training in tambaram
Data Science training in OMR
Data Science training in anna nagar
Data Science training in chennai
Data science training in Bangalore
Some us know all relating to the compelling medium you present powerful steps on this blog and therefore strongly encourage contribution from other ones on this subject while our own child is truly discovering a great deal. Have fun with the remaining portion of the year.
ReplyDeleteData Science Training in Chennai
Data science training in bangalore
Data science online training
Data science training in pune
Data science training in kalyan nagar
selenium training in chennai
Thank you for an additional great post. Exactly where else could anybody get that kind of facts in this kind of a ideal way of writing? I have a presentation next week, and I’m around the appear for this kind of data.
ReplyDeletePython training in marathahalli
Python training in pune
AWS Training in chennai
Thank you for allowing me to read it, welcome to the next in a recent article. And thanks for sharing the nice article, keep posting or updating news article.
ReplyDeletepython training in rajajinagar
Python training in btm
Python training in usa
Python training in marathahalli
After reading your post I understood that last week was with full of surprises and happiness for you. Congratz! Even though the website is work related, you can update small events in your life and share your happiness with us too.
ReplyDeletePython training in pune
AWS Training in chennai
Python course in chennai
Thanks a lot for sharing us about this update. Hope you will not get tired on making posts as informative as this.
ReplyDeleteangularjs Training
in chennai
angularjs Training in chennai
angularjs-Training in tambaram
angularjs-Training in sholinganallur
angularjs-Training in velachery
It was worth visiting your blog and I have bookmarked your blog. Hope to visit again
ReplyDeleteangularjs
Training in chennai
angularjs-Training in chennai
angularjs Training in chennai
angularjs-Training in tambaram
angularjs-Training in sholinganallur
Hmm, it seems like your site ate my first comment (it was extremely long) so I guess I’ll just sum it up what I had written and say, I’m thoroughly enjoying your blog. I as well as an aspiring blog writer, but I’m still new to the whole thing. Do you have any recommendations for newbie blog writers? I’d appreciate it.
ReplyDeleteAWS Interview Questions And Answers
AWS Training in Bangalore | Amazon Web Services Training in Bangalore
Amazon Web Services Training in Pune | Best AWS Training in Pune
AWS Online Training | Online AWS Certification Course - Gangboard
Hmm, it seems like your site ate my first comment (it was extremely long) so I guess I’ll just sum it up what I had written and say, I’m thoroughly enjoying your blog. I as well as an aspiring blog writer, but I’m still new to the whole thing. Do you have any recommendations for newbie blog writers? I’d appreciate it.
AWS Interview Questions And Answers
AWS Training in Bangalore | Amazon Web Services Training in Bangalore
AWS Training in Pune | Best Amazon Web Services Training in Pune
Amazon Web Services Training in Pune | Best AWS Training in Pune
AWS Online Training | Online AWS Certification Course - Gangboard