All resources are compiled into R class.
Dont use capital letters in resource names
<!-- XML -->
<ConstraintLayout
android:layout_width="match_parent"
android:layout_height="match_parent"
android:id="@+id/cl"
>
</ConstraintLayout>
//JAVA
ContraintLayout cl;
// in onCreate()
cl = findViewById(R.id.cl);
<!-- XML -->
<LinearLayout
android:layout_width="match_parent"
android:layout_height="match_parent"
android:orientation="vertical"
android:id="@+id/vll"
>
</LinearLayout>
//JAVA
LinearLayout vll;
// in onCreate()
vll = findViewById(R.id.vll);
<TableLayout
android:layout_width="match_parent"
android:layout_height="match_parent">
<TableRow
android:layout_width="match_parent"
android:layout_height="match_parent">
</TableRow>
</TableLayout>
<!-- XML -->
<TextView
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:text="Hello World"
android:id="@+id/tv"
/>
<!--
android:layout_width="match_parent" -> Defines width of the view same as its parent's
-->
<!--
android:layout_height="wrap_content" -> Defines height of the view so that it can wrap content inside it
-->
<!--
android:text="Hello World" -> Sets text to "Hello World"
-->
<!--
android:id="@+id/tv" -> Assigns id
-->
//in onCreate()
//findViewById(id)
TextView tv=findViewById(R.id.tv);
String text=tv.getText().toString();
text=text+text;
//setText(String)
tv.setText(text);
<!-- XML -->
<Button
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:id="@+id/btn"
android:text="Click Me"
android:layout_margin="10dp"
android:layout_gravity="center"
/>
<!--
android:layout_margin="10dp" -> Adds 10dp margin on all sides
-->
<!--
android:layout_gravity="center" -> Defines the position of text inside the button
-->
//in onCreate()
//findViewById(id)
Button btn=findViewById(R.id.btn);
//setOnClickListener(View.OnClickListener)
btn.setOnClickListener(new View.OnClickListener() {
//onClick(View)
@Override
public void onClick(View v) {
btn.setText(btn.getText().toString()+"!");
}
});
OR
<!-- Set onClick Property in XML -->
<Button
...
android:id="@+id/btn"
android:onClick="changeTextHandler"
/>
<!--
android:onClick="changeTextHandler" -> Adds a method which executes when the click event is triggered
-->
Define changeTextHandler in Java.
public void changeTextHandler(View v){
Button btn=findViewById(R.id.btn);
btn.setText(btn.getText().toString()+"!");
}
<!-- XML -->
<EditText
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:id="@+id/et"
android:layout_margin="10dp"
android:layout_gravity="center"
android:hint="Enter Text"
/>
<!--
android:hint="Enter Text" Sets a placeholder text
-->
//in onCreate()
//findViewById(id)
EditText et=findViewById(R.id.et);
String text=et.getText().toString();
<ImageView
android:id="@+id/iv"
android:layout_width="wrap_content"
android:layout_height="wrap_content"
app:layout_constraintStart_toStartOf="parent"
app:layout_constraintEnd_toEndOf="parent"
app:layout_constraintTop_toTopOf="parent"
tools:layout_editor_absoluteX="0dp"
tools:layout_editor_absoluteY="16dp"
tools:srcCompat="@drawable/ic_launcher_background" />
<!--
tools:srcCompat="@drawable/ic_launcher_background" -> Source of the image to be displayed in ImageView
-->
// Intent(Context, Class)
Intent intent = new Intent(this, NextActivity.class);
// startActivity(Intent)
startActivity(intent);
// putExtra(String, StringOrIntOrFloat...)
intent.putExtra("name", "Hello World");
// getStringExtra(String)
String recievedString=getIntent().getStringExtra("nameInString");
<!-- XML -->
<!-- main_menu.xml -->
<?xml version="1.0" encoding="utf-8"?>
<menu xmlns:android="http://schemas.android.com/apk/res/android">
<item android:id="@+id/logout" android:title="Log Out"></item>
</menu>
In android, there are 3 types of menu(s):
@Override
public boolean onCreateOptionsMenu(Menu menu) {
//inflate(menu resource id, menu)
getMenuInflater().inflate(R.menu.main_menu,menu);
return true;
}
@Override
public boolean onOptionsItemSelected(@NonNull MenuItem item) {
if(item.getItemId()==R.id.logout){
Intet intent = new Intent(this, FirstActivity.class);
startActivity(intent);
}
return super.onOptionsItemSelected(item);
}
TextView tv;
//in onCreate()
tv = findViewById(R.id.tv);
registerForContextMenu(tv);
@Override
public void onCreateContextMenu(ContextMenu menu, View v, ContextMenu.ContextMenuInfo menuInfo) {
super.onCreateContextMenu(menu, v, menuInfo);
getMenuInflater().inflate(R.menu.main_menu,menu);
}
@Override
public boolean onContextItemSelected(@NonNull MenuItem item) {
if(item.getItemId()==R.id.logout){
Intet intent = new Intent(this, FirstActivity.class);
startActivity(intent);
}
return true;
}
<!-- XML -->
<!-- activity_main.xml -->
<?xml version="1.0" encoding="utf-8"?>
<ConstraitLayout ...
>
<Button
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:id="@+id/btnPopup"
android:layout_margin="10dp"
android:text="Show Popup"
android:onClick="showPopup"
/>
</ConstraitLayout>
public void showPopup(View view){
}
public void showPopup(View view){
//1. Create a PopupMenu
//PopupMenu(Context, View)
PopupMenu popupMenu = new PopupMenu(this,view);
//2. Inflate the menu
//inflate(menu resource id, menu)
//getMenu() method is used to get the menu.
getMenuInflater().inflate(R.menu.main_menu,popupMenu.getMenu());
//3. Show the menu
popupMenu.show();
}
public void showPopup(View view){
//1. Create a PopupMenu
//2. Inflate the menu
//3. Show the menu
//setOnMenuItemClickListener(MenuItemClickListener)
popupMenu.setOnMenuItemClickListener(
new PopupMenu.OnMenuItemClickListener() {
//onMenuItemClick(MenuItem)
public boolean onMenuItemClick(MenuItem item) {
if(item.getItemId()==R.id.red){
cl.setBackgroundColor(Color.RED);
}
return true;
}
});
}
//in onCreate()
//getSharedPreferences(String PrefernceName, int mode: 0||1)
// 0 -> MODE_PRIVATE (Can only be accessed by the application)
// 1 -> MODE_WORLD_READABLE
SharePreferences sp = getSharedPreferences("MyPreferences", 0);
//getInt(String key, int defaultValue)
color=sp.getInt("primary_color", 0);
SharedPreferences.Editor editor;
//in onCreate()
editor = sp.edit();
//in any method
//putInt(String key, int value)
editor.putInt("primary_color", Color.RED);
//commit() method is used to save the changes.
editor.commit();
android:icon="@mipmap/ic_launcher_2"
android:label="@string/app_name"
android:roundIcon="@mipmap/ic_launcher_2_round"
Dots per Inch: dpi
Object
Person p=new Person();
Class
public class Person{
}
Interface
interface Man{
public void speak();
public boolean isMan();
}
public class Person implements Man{
}
Abstract Class
public abstract class Male{
}
public class Person extends Male{
}
Abstract Method
public abstract class Male{
public void getName();
}
Instance Method
public class Person{
public void setName(String name){
this.name=name;
}
}
Static Method
public class Person{
public static int count=0;
public static void getCount(){
return count;
}
}
Constant
public class Person{
public static final int MAX_AGE=100;
}
Inheritance
public class Person{
}
public class Student extends Person{
}
Constructor
public class Person{
public Person(){
//Default constructor
}
public Person(String name){
//Parameterized constructor
this.name=name;
}
}
this
public class Person{
public void setName(String name){
this.name=name;
}
}
super
public class Person{
public Person(){
this.name="";
}
}
public class Student extends Person{
public Student(){
super();
}
}
Polymorphism
Enumerator OR Enum
enum Levels{
LOW,
MEDIUM,
HIGH
}
SQLiteOpenHelper
.For Reading data:
SQLiteDatabase db=this.getReadableDatabase();
For Writing data:
SQLiteDatabase db=this.getWriteableDatabase();
SQLiteDatabase
provides built-in methods for inserting, updating and deleting data. For reading, raw queries are passed.
//db.insert(tbl_name<String>,nullValueReplacement, cv<ContentValues>);
long result=db.insert("tbl_name",null,cv);
//result= -1-> failed to insert,
//result= 0-> 0 rows changed,
//result n-> n rows changed
//db.update(tblName<String>,cv<ContentValues>,where_string<String>,new String[]{whereArgs<String>});
int result=db.update("tbl_name",cv,"col_1=?",new String[]{String.valueOf(col_1)});
//result= -1-> failed to update,
//result= 0-> 0 rows changed,
//result n-> n rows changed
//db.update(tblName<String>,where_string<String>,new String[]{whereArgs<String>});
int result=db.delete("Student","col_1=?",new String[]{String.valueOf(col_1)});
//result= -1-> failed to delete,
//result= 0-> 0 rows changed,
//result n-> n rows changed
//db.rawQuery("query"<String>,new String[]{whereArgs<String>});
Cursor csr=db.rawQuery("Select * from tbl_name where col_1=?", new String[]{String.valueOf(col_1)});
class DB extends SQLiteOpenHelper{
//parameterized constructor
public DB(Context context){
//super(context,db-name,factory,version);
super(context,"Db_Name.db",null,1);
}
//Override onCreate
public void onCreate(SQLiteDatabase db){
//db.execSQL("SQL Query");
db.execSQL("Create table if not exists tbl_name(col_1 data_type autoIncrement Primary Key, col_2 data_type unique)");
}
//Override onUpgrade
public void onUpgrade(SQLiteDatabase db, int i, int i1) {
db.execSQL("Drop table if exists tbl_name");
}
//Create a method for inserting data
public boolean createData(String col_1, int col_2){
ContentValues cv=new ContentValues();
//put("key <String>", value);
cv.put("col_1",col_1);
cv.put("col_2",col_2);
SQLiteDatabase db=this.getWritableDatabase();
//db.insert(tbl_name <String>, nullValueReplacement, ContentValues);
long result=db.insert("tbl_name",null,cv);
//result= -1-> failed to insert, result= 0-> 0 rows changed, result n-> n rows changed
return result != -1;
}
//Create a method for updating data
public boolean updateData(String col_1,int col_2){
ContentValues cv=new ContentValues();
cv.put("col_1",col_1);
cv.put("col_2",col_2);
SQLiteDatabase db=this.getWritableDatabase();
//db.update("tbl_name",ContentValues,"where_string like col_1=?",new String[]{col_1, col_2});
int result=db.update("tbl_name",cv,"col_1=?",new String[]{String.valueOf(col_1)});
//result= -1-> failed to insert, result= 0-> 0 rows changed, result n-> n rows changed
return result != -1;
}
//Create a method for deleting data
public boolean deleteData(int col_1){
SQLiteDatabase db=this.getWritableDatabase();
//db.delete("tbl_name","where_string",new String[]{col_1})
int res=db.delete("Student","col_1=?",new String[]{String.valueOf(col_1)});
//result= -1-> failed to insert, result= 0-> 0 rows changed, result n-> n rows changed
return result != -1;
}
//Create a method for reading data
public Cursor readUser(String col_1, int col_2){
SQLiteDatabase db=this.getReadableDatabase();
//db.rawQuery("SQL Query where col_1=? AND col_2=?",new String[]{col_1,col_2});
Cursor csr=
db.rawQuery("Select * from tbl_name where col_1=?", new String[]{col_1});
return csr;
}
}
entries
property and dynamically, in java by creating a Array of Spinner List Items using ArrayAdapter
.<!-- XML -->
<Spinner
android:id="@+id/spinner2"
android:layout_width="409dp"
android:layout_height="wrap_content" />
//JAVA
String[] cities = {"A","B","C","D"};
String selectedCity;
Spinner sp=findViewById(R.id.spinner2);
ArrayAdapter<String> a1=new ArrayAdapter<String>(this,
android.R.layout.simple_spinner_item,cities);
sp.setAdapter(a1);
sp.setOnItemSelectedListener(new AdapterView.OnItemSelectedListener() {
@Override
public void onItemSelected(AdapterView<?> adapterView, View view, int i, long l) {
selectedCity = adapterView.getItemAtPosition(i).toString();
}
@Override
public void onNothingSelected(AdapterView<?> adapterView) {
}
});
<!-- XML -->
<ListView
android:id="@+id/lv"
android:divider="@color/black"
/>
//JAVA
String[] cities = {"A","B","C","D"};
ListView lv=findViewById(R.id.lv);
ArrayAdapter<String> a1=new ArrayAdapter<String>(this,android.R.layout.simple_list_item_1
, android.R.id.text1,cities);
lv.setAdapter(a1);
lv.setOnItemClickListener(new AdapterView.OnItemClickListener() {
@Override
public void onItemClick(AdapterView<?> adapterView, View view, int i, long l) {
//i is the index of item.
Toast.makeText(MainActivity.this, cities[i], Toast.LENGTH_SHORT).show();
}
});
<!-- XML -->
<RadioGroup
android:id="@+id/rgGender"
android:layout_width="0dp"
android:layout_height="wrap_content" >
<RadioButton
android:id="@+id/rbMale"
android:layout_width="wrap_content"
android:layout_height="55dp"
android:checked="true"
android:text="Male"/>
<RadioButton
android:id="@+id/rbFemale"
android:layout_width="wrap_content"
android:layout_height="55dp"
android:checked="false"
android:text="Female" />
</RadioGroup>
//JAVA
radioGroup = findViewById(R.id.rgGender);
radioGroup.setOnCheckedChangeListener(new RadioGroup.OnCheckedChangeListener() {
@Override
public void onCheckedChanged(RadioGroup radioGroup, int i) {
if(radioGroup.getCheckedRadioButtonId()==R.id.rbMale)
gender="Male";
else if(radioGroup.getCheckedRadioButtonId()==R.id.rbFemale)
gender="Female";
}
});
<!-- XML -->
<TimePicker
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:id="@+id/tp"/>
//JAVA
TimePicker tp=findViewById(R.id.tp);
tp.setOnTimeChangedListener(new TimePicker.OnTimeChangedListener() {
@Override
public void onTimeChanged(TimePicker timePicker, int i, int i1) {
Toast.makeText(MainActivity.this,timePicker.getHour()+":"+timePicker.getMinute(),
Toast.LENGTH_LONG).show();
}
});
<!-- XML -->
<SeekBar
android:id="@+id/sb"
android:layout_width="match_parent"
android:layout_height="wrap_content"
/>
//JAVA
SeekBar sb=findViewById(R.id.sb);
sb.setOnSeekBarChangeListener(new SeekBar.OnSeekBarChangeListener() {
@Override
public void onProgressChanged(SeekBar seekBar, int i, boolean b) {
Toast.makeText(MainActivity.this, ""+i, Toast.LENGTH_SHORT).show();
}
@Override
public void onStartTrackingTouch(SeekBar seekBar) {
}
@Override
public void onStopTrackingTouch(SeekBar seekBar) {
}
});
<!-- XML -->
<ProgressBar
android:id="@+id/pb"
style="?android:attr/progressBarStyleHorizontal"
android:layout_width="match_parent"
android:layout_height="wrap_content" />
//JAVA
ProgressBar pb=findViewById(R.id.pb);
pb.setProgress(50);
Toast.makeText(MainActivity.this, ""+pb.getProgress(), Toast.LENGTH_SHORT).show();
<!-- XML -->
<RatingBar
android:id="@+id/rb"
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:stepSize="0.5"
/>
//JAVA
RatingBar rb=findViewById(R.id.rb);
rb.setOnRatingBarChangeListener(new RatingBar.OnRatingBarChangeListener() {
@Override
public void onRatingChanged(RatingBar ratingBar, float v, boolean b) {
Toast.makeText(MainActivity.this, ""+ratingBar.getRating(), Toast.LENGTH_SHORT).show();
}
});
<!-- XML -->
<DatePicker
android:id="@+id/dp"
android:layout_width="match_parent"
android:layout_height="0dp" />
//JAVA
DatePicker dp=findViewById(R.id.dp);
Calendar c=Calendar.getInstance();
dp.init(c.get(Calendar.YEAR), c.get(Calendar.MONTH), c.get(Calendar.DAY_OF_MONTH), new DatePicker.OnDateChangedListener() {
@Override
public void onDateChanged(DatePicker datePicker, int i, int i1, int i2) {
//i2=Day
//i1=Month
//1=Year
Toast.makeText(MainActivity.this, i2+"/"+(i1+1)+"/"+i, Toast.LENGTH_SHORT).show();
}
});
Log
class is used for showing logs in Logcat console.Log
<!-- In activity_main.xml, -->
<!-- add a FramLayout and a fragment in it-->
<FrameLayout
android:id="@+id/fl"
android:layout_width="0dp"
android:layout_height="0dp"
app:layout_constraintBottom_toBottomOf="parent"
app:layout_constraintEnd_toEndOf="parent"
app:layout_constraintStart_toStartOf="parent"
app:layout_constraintTop_toTopOf="parent">
<fragment
android:layout_width="match_parent"
android:layout_height="match_parent"
android:name="com.mad.BlankFragment"
/>
<!-- android:name-> Refernce to the java file of Fragment (statically placed) -->
</FrameLayout>
<!-- in activity_main.xml -->
<FrameLayout
android:id="@+id/fl"
android:layout_width="0dp"
android:layout_height="0dp"
app:layout_constraintBottom_toBottomOf="parent"
app:layout_constraintEnd_toEndOf="parent"
app:layout_constraintStart_toStartOf="parent"
app:layout_constraintTop_toTopOf="parent">
</FrameLayout>
FragmentTransaction
which is octained from FragmentManager
.FragmentManager manager=getSupportFragmentManager();
FragmentTransaction transaction=manager.beginTransaction();
//add(ContainerId<int>,<Fragment>) -> adds Fragment on top.
transaction.add(R.id.fl,new FragmentNew());
//Completes the transaction
transaction.commit();
//Other transaction methods
// transaction.remove(<Fragment>); --Removes a fragment
// transaction.replace(ContainerId<int>,<Fragment>) -> replaces top Fragment with another Fragment.
Fragments & Activites work on Stack. When back button is pressed the top fragment is poped out from the Fragment Stack and the new top fragment is displayed. Similarly, when a new Fragment is opened from a button on Previous Fragment, the New Fragment is pushed into Fragment Stack and becomes top Fragment.
Service
onBind
(for Bound Service).onStartCommand
(for Starting Service).onUnbind
(for unbinding a Bound Service).onDestroy
(for stoping a service).class ServiceClass extends Service{
public IBinder onBind(Intent intent) {
return null;
}
public void onCreate() {
super.onCreate();
}
public int onStartCommand(Intent intent, int flags, int startId) {
return super.onStartCommand(intent, flags, startId);
}
public void onDestroy() {
super.onDestroy();
}
}
<service android:name=".FirstService" android:exported="false"/>
//Create a new Intent
Intent serviceIntent=new Intent(this, ServiceClass.class);
//Start Service using Intent
startService(serviceIntent);
// startService will call onCreate + onStartCommand or onBind
//Stop Service using Intent
stopService(serviceIntent);
// startService will call onDestroy
public class FirstService extends Service {
MediaPlayer player;
@Nullable
@Override
public IBinder onBind(Intent intent) {
return null;
}
@Override
public void onCreate() {
super.onCreate();
player=MediaPlayer.create(this,R.raw.mp3file);
}
@Override
public int onStartCommand(Intent intent, int flags, int startId) {
player.start();
return super.onStartCommand(intent, flags, startId);
}
@Override
public void onDestroy() {
super.onDestroy();
player.stop();
}
}
Foreground services perform operations that are noticeable to the user.
Foreground services show a status bar notification, so that users are actively aware that your app is performing a task in the foreground and is consuming system resources.
The notification cannot be dismissed unless the service is either stopped or removed from the foreground.
Examples of apps that would use foreground services include the following:
<uses-permission android:name="android.permission.FOREGROUND_SERVICE"/>
onStartCommand
to start a notification. If this step is missed, Android will kill the service after around a 1 minute of execution time.public int onStartCommand(Intent intent, int flags, int startId) {
Intent notificationIntent= new Intent(this, MainActivity.class);
PendingIntent pi=PendingIntent.getActivity(this,0,notificationIntent,0);
//Check if OS version is Android 8 or above.
if(Build.VERSION.SDK_INT>= Build.VERSION_CODES.O){
//Create a Notification Channel
NotificationChannel channel=new NotificationChannel("channel_id","channel_name",
NotificationManager.IMPORTANCE_DEFAULT);
//Set channel description
channel.setDescription("Hello World");
//Register channel
NotificationManager manager=getSystemService(NotificationManager.class);
manager.createNotificationChannel(channel);
}
NotificationCompat.Builder builder=new NotificationCompat.Builder(this,"channel_id");
builder.setContentTitle("Forground Service");
builder.setContentText("Running...");
builder.setSmallIcon(R.drawable.ic_launcher_foreground);
builder.setContentIntent(pi);
startForeground(121212,builder.build());
return super.onStartCommand(intent, flags, startId);
}
Intent i = new Intent(context, ForegroundService.class);
// Check if Android version is 8 or above
if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.O) {
startForegroundService(i);
} else {
startService(i);
}
onBind()
method must be implemented. This method returns an IBinder
object that defines the programming interface that clients can use to interact with the service.bindService()
.stopSelf()
or stopService()
.public class FirstBroadcastReciever extends BroadcastReceiver {
@Override
public void onReceive(Context context, Intent intent) {
Toast.makeText(context, "Airplane Mode Chnaged", Toast.LENGTH_LONG).show();
}
}
<receiver android:name=".FirstBroadcastReciever" android:exported="true">
<intent-filter>
<action android:name="android.intent.action.AIRPLANE_MODE"/>
</intent-filter>
</receiver>
//In MainActivity, in onCreate,
// Create instance of FirstBroadcastReciever
FirstBroadcastReciever reciever= new FirstBroadcastReciever();
//Create an Intent Filter
IntentFilter intentFilter = new IntentFilter();
//Register an Action
intentFilter.addAction(Intent.ACTION_AIRPLANE_MODE_CHANGED);
//Register the boradcast Reciever and action
registerReceiver(reciever, intentFilter);
public class FirstBroadcastReciever extends BroadcastReceiver {
@Override
public void onReceive(Context context, Intent intent) {
String log=intent.getStringExtra("log");
Toast.makeText(context, log, Toast.LENGTH_LONG).show();
}
}
//in MainActivity, in onCreate
LocalBroadcastManager m=LocalBroadcastManager.getInstance(this);
Intent localIntent=new Intent("LOCAL_ACTION");
//Attaching data with local broadcast
localIntent.putExtra("log","Data attached with Local broadcast");
//Sending local broadcast
m.sendBroadcast(localIntent);
//In OtherActivity, in onCreate,
// Create instance of FirstBroadcastReciever
FirstBroadcastReciever reciever= new FirstBroadcastReciever();
//Create intent-filter
IntentFilter intentFilter = new IntentFilter();
intentFilter.addAction("LOCAL_ACTION");
//Register BroadcastReciever
LocalBroadcastManager m=LocalBroadcastManager.getInstance(this);
m.registerReceiver(reciever, intentFilter);
PendingIntent
is used. PendingIntent
is an Intent
that is triggered by OS).Notification Channels are available in Android 8 or above.
//Check if OS version is Android 8 or above.
if(Build.VERSION.SDK_INT>=Build.VERSION_CODES.O){
//Create a Notification Channel
NotificationChannel channel=new NotificationChannel("channel_id","channel_name",
NotificationManager.IMPORTANCE_DEFAULT);
//Set channel description
channel.setDescription("Hello World");
//Register channel
NotificationManager manager=getSystemService(NotificationManager.class);
manager.createNotificationChannel(channel);
}
//Build Notification
NotificationCompat.Builder builder=new NotificationCompat.Builder(this,"channel_id");
builder.setContentTitle("Notification Title");
builder.setContentText("Notification Content");
builder.setSmallIcon(R.drawable.ic_launcher_foreground);
//Create a pending intent
PendingIntent pi=PendingIntent.getActivity(this,0,i,0);
//Add Button and add PendingIntent to that button.
//PendingIntent will be triggered when the button on notification will be pressed.
//addAction(iconId<int>,ButtonText<String>,<PendingIntent>)
builder.addAction(R.drawable.ic_btn,"Press Me",pi);
For setting up action on a notification Pending Intent
is used. A PendingIntent
is an intent that is triggered by the OS.
//Perform Action On Notification
Intent i=new Intent(this,MainActivity.class);
//getActivity(<Context>, requestCode<int>, i<Intent>, flags<int>)
PendingIntent p=PendingIntent.getActivity(this,0,i,0);
//setContentIntent(p<PendingIntent>)
builder.setContentIntent(p);
NotificationManagerCompat manager=NotificationManagerCompat.from(this);
//void notify(id<int>,notification<Notification>)
manager.notify(121212,builder.build());
//build() builds and returns the Notification instance based on the configurations set using builder
Activity
Service
AppCompatActivity
Toast.makeText
Toast.LENGTH_LONG
In Programming, It is a convention to declare the constants in CAPITAL LETTERS.
R
Color
findViewById(id)
setText(String)
getText()
setBackgroundColor(int)
Context
setOnClickListener(View.OnClickListener)
View.OnClickListener
onClick(View)