Coder Social home page Coder Social logo

projectifyofficial / app-app-calling-android Goto Github PK

View Code? Open in Web Editor NEW

This project forked from roshan2188/app-app-calling-android

0.0 0.0 0.0 74.53 MB

Use this tutorial to build an app-to-app Android calling app.

Home Page: http://www.sinch.com/tutorials/android-app-to-app-calling-tutorial/

License: MIT License

Java 100.00%

app-app-calling-android's Introduction

Build a Simple Android VoIP Calling App With Sinch

This tutorial will walk you through building a simple Android VoIP calling app. When you are finished, it will look something like this:

voip tutorial for android calling screens

The completed source code for this tutorial is available at github.com/sinch/app-app-calling-android.

This covers building an Android app to app system. If you are looking for app to phone, check out our other tutorial here.

##Setup

First, you will need to create a new project in Android Studio. (You can use Eclipse if you like, but this tutorial was built and tested in Android Studio.)

To generate an API key and secret, create an app in the Sinch Dashboard. Name the app anything you like, and press "create." (You do not need a description or call control callback.)

new app button

new app

Hold onto the key and secret from this app; you will use them in just a few minutes.

Next, download the Sinch Android SDK from www.sinch.com/downloads. To add the Sinch SDK to your project:

  1. Copy the entire libs folder to your project’s app folder
  2. Open build.gradle (Module) in allprojects > repositories , add these lines
               flatDir {
                   dirs '/libs'
    	       }
    
  3. Finally, open build.gradle (Project) in dependencies and add this line:
          compile(name:'sinch-android-rtc', version:'+', ext:'aar')
    

Sinch requires a few permissions. Head over to AndroidManifest.xml and add the following:

<uses-feature
    android:name="android.hardware.microphone"
    android:required="false"/>

<uses-permission android:name="android.permission.INTERNET"/>
<uses-permission android:name="android.permission.RECORD_AUDIO"/>
<uses-permission android:name="android.permission.MODIFY_AUDIO_SETTINGS"/>
<uses-permission android:name="android.permission.READ_PHONE_STATE"/>
<uses-permission android:name="android.permission.ACCESS_NETWORK_STATE"/>

##Make outgoing calls

First, create a new .xml file, and name it call.xml. Add a simple "Call" button:

<Button
    android:layout_width="fill_parent"
    android:layout_height="wrap_content"
    android:text="Call"
    android:id="@+id/button"
    android:layout_centerVertical="true"
    android:layout_centerHorizontal="true" />

Now, create a new activity, CallActivity, where your user can make a phone call with the click of the call button.

Note: In AndroidManifest.xml, you should set

android:screenOrientation="portrait"

for CallActivity. Since onCreate gets called when the screen is rotated, calls will hang up if the screen rotates. Setting the orientation to portrait prevents this from happening.

Back in onCreate, start by creating an OnClickListener:

Button button = (Button) findViewById(R.id.button);
button.setOnClickListener(new View.OnClickListener() {
    @Override
    public void onClick(View view) {
       // make a call!
    }
});

To make a call, you first need to create an instance of SinchClient:

SinchClient sinchClient = Sinch.getSinchClientBuilder()
        .context(this)
        .userId("current-user-id")
        .applicationKey("app-key")
        .applicationSecret("app-secret")
        .environmentHost("sandbox.sinch.com")
        .build();

Make sure to fill in app key and app secret with the key and secret you generated when creating an app in the dashboard. Then, tell the SinchClient that you want to have calling in your app, and finally, start the client:

sinchClient.setSupportCalling(true); 
sinchClient.start();

Inside the OnClickListener, you will make the call:

sinchClient.getCallClient().callUser("call-recipient-id");

To make a test call, you will use the calling sample app included in the SDK for your recipient. Open sinch-rtc-sample-calling in Android Studio, input the same keys you used above, and run the app. Once you log in as "call-recipient-id," this app will be able to receive incoming calls from the app you are currently building. Give it a try!

This app currently provides an awful user experience for the caller. Let's change that. Here is a list of things you will now add:

  • Allow the caller to hang up
  • React accordingly when the call recipient hangs up
  • Let the caller control the volume of the call
  • Let the caller know when the call is ringing
  • Let the caller know when the call is connected

To toggle the main button between "Call" and "Hang Up," start by storing the current call:

private Call call;

Inside the onClickListener, you can make a call or hang up the current call depending on whether or not call is null:

public void onClick(View view) {
    if (call == null) {
        call = sinchClient.getCallClient().callUser("call-recipient-id");
        button.setText("Hang Up");
    } else {
        call.hangup();
        call = null;
        button.setText("Call");
    }
}

Unfortunately, this only handles the user hanging up. You will also want your app to react accordingly if the recipient hangs up. To track these changes, you will set up a CallListener that can execute code depending on the state of phone call:

private class SinchCallListener implements CallListener {
    @Override
    public void onCallEnded(Call endedCall) {
        //call ended by either party
    }

    @Override
    public void onCallEstablished(Call establishedCall) {
        //incoming call was picked up
    }

    @Override
    public void onCallProgressing(Call progressingCall) {
        //call is ringing
    }

    @Override
    public void onShouldSendPushNotification(Call call, List<PushPair> pushPairs) {
        //don't worry about this right now
    }
}

Then, add an instance of SinchCallListener to the current call in your OnClickListener:

call.addCallListener(new SinchCallListener());

Note: If you're curious about when each of these methods is called, this would be a good time to add some logging output or toast messages in SinchCallListener.

Since onCallEnded will get called if either party ends the phone call, you can move these two lines from your OnClickListener into onCallEnded:

call = null;
button.setText("Call");

To make the volume buttons control the volume of the phone call while connected, use the AudioManager provided by Android:

@Override
public void onCallEstablished(Call establishedCall) {
    setVolumeControlStream(AudioManager.STREAM_VOICE_CALL);
}

Then, to make the volume buttons go back to controlling the ringer volume when the phone call is disconnected:

@Override
public void onCallEnded(Call endedCall) { 
    setVolumeControlStream(AudioManager.USE_DEFAULT_STREAM_TYPE);
}

To update the user on the state of the call (ringing, connected), create a textView that will appear above the button:

<TextView
    android:layout_width="fill_parent"
    android:layout_height="wrap_content"        
    android:id="@+id/callState"
    android:layout_above="@+id/button"
    android:gravity="center_horizontal"
    android:layout_marginBottom="30dp"/>

In onCreate, define the textView:

callState = (TextView) findViewById(R.id.callState);

Now, you can set the text to "ringing" in onCallRinging, and "connected" in onCallEstablished, and finally to " " in onCallEnded:

//onCallProgressing
callState.setText("ringing");

//onCallEstablished
callState.setText("connected");

//onCallEnded
callState.setText("");

Now your app has a much better user experience. Try making a call to the SDK sample app that you set up earlier.

##Receive incoming calls

For the purposes of this tutorial, your app will automatically accept incoming calls. To start, you want your SinchClient to listen for incoming calls. Add this right before you start the SinchClient:

sinchClient.startListeningOnActiveConnection();

Now that your app is listening for incoming calls, it should know how to respond appropriately. After you start the SinchClient, add a listener to the CallClient:

sinchClient.getCallClient().addCallClientListener(new SinchCallClientListener());    

private class SinchCallClientListener implements CallClientListener {
    @Override
    public void onIncomingCall(CallClient callClient, Call incomingCall) {
        //Pick up the call!
    }
}

In onIncomingCall, you will need to do the following:

  1. Set current call to incomingCall
  2. Answer the call
  3. Add a call listener to the current call
  4. Set the button text to "hang up"

Easy enough, right?

call = incomingCall;
call.answer();
call.addCallListener(new SinchCallListener());
button.setText("Hang Up");

To test the app:

  1. Set user ID to “a” and recipient ID to “b” (in your code)
  2. Run the app on device #1
  3. Set user ID to “b” and recipient ID to “a” (in your code)
  4. Run the app on device #2
  5. Chat away!

##Add login

In this section, you are going to add a simple login screen so that users can call more than just one person. Your login screen will look like this:

login screen

To set this up, you will need to do the following:

  1. Create a new activity, LoginActivity
  2. Create layout for LoginActivity
  3. Pass callerId and recipientId to CallActivity as intent extras

Start by creating a new activity, LoginActivity. In the view for this activity, you will need two EditTexts and a login button:

<EditText
    android:layout_width="match_parent"
    android:layout_height="wrap_content"
    android:id="@+id/callerId"
    android:hint="Caller Name"/>

<EditText
    android:layout_width="match_parent"
    android:layout_height="wrap_content"
    android:id="@+id/recipientId"
    android:layout_below="@+id/callerId"
    android:hint="Recipient Name"/>

<Button
    android:layout_width="match_parent"
    android:layout_height="wrap_content"
    android:id="@+id/loginButton"
    android:text="Login"
    android:layout_below="@+id/recipientId"/>

That is all you'll need in the login view. Head back to LoginActivity.java to add an OnClickListener for the login button:

findViewById(R.id.loginButton).setOnClickListener(new View.OnClickListener() {
    @Override
    public void onClick(View view) {
        //start CallActivity
    }
});

When starting CallActivity, you'll want to pass along callerId and recipientId as string extras:

EditText callerEditText = (TextView) findViewById(R.id.callerId));
EditText recipientEditText = (TextView) findViewById(R.id.recipientId);
String callerId = callerEditText.getText().toString();
String recipientId = recipientEditText.getText().toString;
  
Intent intent = new Intent(getApplicationContext(), CallActivity.class);
intent.putExtra("callerId", callerId);
intent.putExtra("recipientId", recipientId);
startActivity(intent);

In CallActivity.onCreate, use Intent.getStringExtra to get callerId and recipientId from LoginActivity:

Intent intent = getIntent();
callerId = intent.getStringExtra("callerId");
recipientId = intent.getStringExtra("recipientId");

Now you can use the callerId variable when starting the SinchClient, and recipientId when making a call.

And that's it for this VoIP tutorial. If you have any questions, we're always available on Twitter @SinchDev. You can also reach us via email at [email protected]. Be sure to take a look at our other tutorials.

app-app-calling-android's People

Contributors

faheemsiddiq avatar jeanetteburton avatar jordan-mb avatar kwaimind avatar mgpopolo avatar spacedsweden avatar zaeemsiddiq avatar

Recommend Projects

  • React photo React

    A declarative, efficient, and flexible JavaScript library for building user interfaces.

  • Vue.js photo Vue.js

    🖖 Vue.js is a progressive, incrementally-adoptable JavaScript framework for building UI on the web.

  • Typescript photo Typescript

    TypeScript is a superset of JavaScript that compiles to clean JavaScript output.

  • TensorFlow photo TensorFlow

    An Open Source Machine Learning Framework for Everyone

  • Django photo Django

    The Web framework for perfectionists with deadlines.

  • D3 photo D3

    Bring data to life with SVG, Canvas and HTML. 📊📈🎉

Recommend Topics

  • javascript

    JavaScript (JS) is a lightweight interpreted programming language with first-class functions.

  • web

    Some thing interesting about web. New door for the world.

  • server

    A server is a program made to process requests and deliver data to clients.

  • Machine learning

    Machine learning is a way of modeling and interpreting data that allows a piece of software to respond intelligently.

  • Game

    Some thing interesting about game, make everyone happy.

Recommend Org

  • Facebook photo Facebook

    We are working to build community through open source technology. NB: members must have two-factor auth.

  • Microsoft photo Microsoft

    Open source projects and samples from Microsoft.

  • Google photo Google

    Google ❤️ Open Source for everyone.

  • D3 photo D3

    Data-Driven Documents codes.