In this tutorial we will learn how to make a simple ListView which can also display your local Language Text. (Link to the source code is given at the end)
Here we require to make a main Java file an Adapter Java file, main xml file, a child xml file and a selector file.
Create a New Android Project by clicking as shown in the picture below
File>New>Android Application Project
Give the application name as "CustomLanguageListView".
In the package name replace the "example" with "arise"
(TIP) Package name with example will not be accepted in Google Play.
Just click next to the next three child windows as nothing is to be changed.
In the Child Window named New Blank Activity give the activity name as "ListViewMainActivity". Layout name will be automatically changed.
Now click Finish to create the Project.

Now your Project is created. Now you have to launch the main java file. For that click the following folders.
CustomLanguageListView > src > com.arise.customlanguagelistview > ListViewMainActivity.Java
Now the main Java file is launched. add the following details to the file.
For easy understanding I have given the description as comments starting
with "//"
What we are doing is creating an ArrayList for the Headings and for List Items and adding each heading and List Items to the ArrayList. I am giving the first Heading as the current date, you can find the code for this below. Since I am going to display local Lnguage text, I have to save the font for the particular language in the "asset" folder, which will be explained later. You have to enter the headings and Items in your chosen language.
Initially some errors will be shown, it will be disappeared when we create the support files.
package com.arise.customlanguagelistview;
import java.text.DateFormat;
import java.util.ArrayList;
import java.util.Date;
import android.os.Bundle;
import android.app.ExpandableListActivity;
import android.content.Context;
import android.view.LayoutInflater;
import android.view.View;
import android.widget.ExpandableListView;
import android.widget.ExpandableListView.OnChildClickListener;
public class ListViewMainActivity extends ExpandableListActivity implements
OnChildClickListener {
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
ExpandableListView expandableLis= getExpandableListView();
expandableLis.setDividerHeight(2);
expandableLis.setGroupIndicator(null);
expandableLis.setClickable(true);
setGroupData();
setChildGroupData();
NewAdapter mNewAdapter = new NewAdapter(groupItem,childItem);
mNewAdapter.setInflater((LayoutInflater) getSystemService(Context.LAYOUT_INFLATER_SERVICE),this);
getExpandableListView().setAdapter(mNewAdapter);
expandableLis.setOnChildClickListener(this);
}
public void setGroupData()// Setting headings of List View
{
final String currentDateString;//For displaying currentDate and Time in List View
currentDateString = DateFormat.getDateInstance().format(new Date());//When you import Date Format use only import'Date Format' java.text
groupItem.add("ഇന്നത്തെ തിയതി (Today is) - "+currentDateString);//For showing Todays Date along with your Custom Text
groupItem.add("ഹെഡ്ഡിഗ് (Heading) 1");//Adding Heading 2 (You can add more by using add(heading name))
groupItem.add("ഹെഡ്ഡിഗ് (Heading) 2");//Adding heading 2
}
ArrayList<String> groupItem = new ArrayList<String>();//Setting Headings as Array List
ArrayList<Object>childItem = new ArrayList<Object>(); //Setting List Items as Array List
public void setChildGroupData()//Adding list Items below the List Headings
{
//Adding List Items to The heading, Date
ArrayList<String> child = new ArrayList<String>();
child.add("ഒരു നല്ല ദിവസം ആശംസിക്കുന്നു. !(Greetings)");//Adding a Item called Greetings below the heading, Date
childItem.add(child);
//Adding List Items to 1st heading
child = new ArrayList<String>();
child.add ("ഐറ്റം (Item) 1"); //Adding Item 1 to the First heading
child.add ("ഐറ്റം (Item) 2");//Adding Item 2 to the First heading
childItem.add(child);
//Adding List Items to 2nd heading
child = new ArrayList<String>();
child.add("ഐറ്റം (Item) 3");//Adding Item 1 to the 2nd heading
child.add("ഐറ്റം (Item) 4");//Adding Item 2 to the 2nd heading
childItem.add(child);
}
@Override
public boolean onChildClick (ExpandableListView parent, View v,
int groupPosition, int childPosition, long id) {
return true;
}
}
Now save the Java file and open the Main XML file from th folder shown below
CustomLanguageListView > res > layout >activity_list_view_main.xml
Now copy the following code in to the XML file,
<CheckedTextView xmlns:android="http://schemas.android.com/apk/res/android"
xmlns:tools="http://schemas.android.com/tools"
android:id="@+id/textView1"
android:layout_width="wrap_content"
android:layout_height="60dp"
android:layout_marginTop="40dp"
android:layout_marginLeft="5dp"
android:drawableRight="@drawable/iconselector"
android:gravity="center_vertical"
android:text="@string/hello_world"
android:textColor="@color/orange"
android:padding="10dp"
android:textSelectHandleLeft="@string/hello_world"
android:textSize="18sp"
android:textStyle="bold" />
Initially some errors will be shown, it will be disappeared when we create the support files.
Here we are creating a checked TextView for displaying the Headings of the ListView.
Here it is given as "@drawable/iconselector" it is a link to the icon selector file. Which we will be creating later. which will be used for selecting some icons during expanding and collapsing as follows,
We will give a down arrow icon and an up arrow icon to the heading. When displayed normally the down arrow icon will be shown. so that user can understand that it is an expandable list and some text will be shown below when the down arrow is clicked.
When the list is fully expanded an up arrow picture is shown so that user can click it and collapse the list.
I have want to give the text color orange to the Heading so a link to the color code in the string.xml file is given as "@color/orange"
we will modify the strings.xml file later.
Save and close the file.
Now we have to create an Adapeter for the ListView this is jest a new Java file (known as class file). To create this Right click on your package file named "com.arise.customlanguagelistview" clcik "New" and then "Class" as shown in the picture.
Now give it the name"NewAdapter" as shown in the diagram and click finish.
The new Java file will be automtically opened, Now enter the following code in to the file.
The details are given as comments.
package com.arise.customlanguagelistview;
import java.util.ArrayList;
import android.app.Activity;
import android.graphics.Color;
import android.graphics.Typeface;
import android.view.Gravity;
import android.view.LayoutInflater;
import android.view.View;
import android.view.ViewGroup;
import android.view.View.OnClickListener;
import android.widget.BaseExpandableListAdapter;
import android.widget.CheckedTextView;
import android.widget.TextView;
import android.widget.Toast;
@SuppressWarnings("unchecked")
public class NewAdapter extends BaseExpandableListAdapter {
public ArrayList<String> groupItem, tempChild;
public ArrayList<Object> Childtem = new ArrayList<Object>();
public LayoutInflater minflater;
public Activity activity;
public NewAdapter(ArrayList<String> grList, ArrayList<Object> childItem) {
groupItem = grList;
this.Childtem = childItem;
}
public void setInflater(LayoutInflater mInflater, Activity act) {
this.minflater = mInflater;
activity = act;
}
@Override
public Object getChild(int groupPosition, int childPosition) {
return null;
}
@Override
public long getChildId(int groupPosition, int childPosition) {
return 0;
}
@Override
public View getChildView(final int groupPosition, final int childPosition,
boolean isLastChild, View convertView, ViewGroup parent) {
tempChild = (ArrayList<String>) Childtem.get(groupPosition);
TextView text = null;
if (convertView == null) {
convertView = minflater.inflate(R.layout.child, null);
}
text = (TextView) convertView.findViewById(R.id.textView1);
//To set a custom language font, first save the font file in asset folder.
//You may create a folder named "fonts"inside asset folder and save the font file inside it
//Now we have to set the Type face to the Text View as follows
Typeface typeFace = Typeface.createFromAsset(convertView.getContext().getAssets(),"fonts/AnjaliOldLipi.ttf");
text.setTypeface(typeFace);
if (groupPosition==0 && childPosition== 0)//For setting a different color to the list Item 1 under Heading,Date
//Please note that Group(Heading) Item and Child (list)Item starts with 0, instead of 1
{
((TextView) text).setTextColor(Color.RED); //Giving Android default color red
//instead of taking color value from string
}
else if (groupPosition==1 && childPosition== 1)//Use only "else if' for next item
{
((TextView) text).setTextColor(Color.RED);
}
else //For setting a color to rest all item
{
((TextView) text).setTextColor(convertView.getContext().getResources().getColor(R.color.steel_blue));
}
text.setText(tempChild.get(childPosition));
convertView.setOnClickListener(new OnClickListener() {
@Override
public void onClick(View v) {
Toast.makeText(activity, tempChild.get(childPosition),
Toast.LENGTH_SHORT).show();
}
});
return convertView;
}
@Override
public int getChildrenCount(int groupPosition) {
return ((ArrayList<String>) Childtem.get(groupPosition)).size();
}
@Override
public Object getGroup(int groupPosition) {
return null;
}
@Override
public int getGroupCount() {
return groupItem.size();
}
@Override
public void onGroupCollapsed(int groupPosition) {
super.onGroupCollapsed(groupPosition);
}
@Override
public void onGroupExpanded(int groupPosition) {
super.onGroupExpanded(groupPosition);
}
@Override
public long getGroupId(int groupPosition) {
return 0;
}
@Override
public View getGroupView(int groupPosition, boolean isExpanded,
View convertView, ViewGroup parent) {
if (convertView == null) {
convertView = minflater.inflate(R.layout.activity_list_view_main, null);
}
Typeface typeFace = Typeface.createFromAsset(convertView.getContext().getAssets(),"fonts/AnjaliOldLipi.ttf");
((CheckedTextView) convertView).setTypeface(typeFace);
if (groupPosition==0 )
//For setting a heading on the center and giving it a color
{
((CheckedTextView) convertView).setTextColor(convertView.getContext().getResources().getColor(R.color.steel_blue));
((CheckedTextView) convertView).setGravity(Gravity.CENTER);
}
else
// For Setting all other Headings on the Left and giving rest of all a different color
{
((CheckedTextView) convertView).setTextColor(convertView.getContext().getResources().getColor(R.color.orange));
((CheckedTextView) convertView).setGravity(Gravity.LEFT);
}
((CheckedTextView) convertView).setText(groupItem.get(groupPosition));
((CheckedTextView) convertView).setChecked(isExpanded);
return convertView;
}
@Override
public boolean hasStableIds() {
return false;
}
@Override
public boolean isChildSelectable(int groupPosition, int childPosition) {
return false;
}
}
In this file we assign the ArrayList headings and Items added in the Main Java file to the TextView.
Since I am going to display the Local Language text (or custom Font) download the font for your language (Just search in Google for it) and copy the font in to the "assets" folder in your project as follows. For easy identification I created an inner folder named "fonts" inside the assets folder and saved the font file in to it.
I have used a malayalam font named "AnjaliOldLipi" see the picture below for details.
But if you want to display items in English the following codes are not required, it will work even though you do not delete it.
Typeface typeFace = Typeface.createFromAsset(convertView.getContext().getAssets(),"fonts/AnjaliOldLipi.ttf");
((CheckedTextView) convertView).setTypeface(typeFace);
Now we have to create an XML file for the ListItems.
Right Click on the layout file (CustomLanguageListView > res > layout > ) and click "New" and "New Android XML File" as shown in the picture below.
Now give name as "child" to the XML file as shown in the picture below, and click finish to create the file.
Now copy the following code in to the new XML file,
<LinearLayout xmlns:android="http://schemas.android.com/apk/res/android"
xmlns:tools="http://schemas.android.com/tools"
android:layout_width="match_parent"
android:layout_height="match_parent"
android:background="@android:color/transparent"
android:clickable="true"
android:orientation="vertical"
tools:context=".MainActivity" >
<LinearLayout
android:layout_width="match_parent"
android:layout_height="match_parent"
android:gravity="center_vertical">
<TextView
android:id="@+id/textView1"
android:layout_width="fill_parent"
android:layout_height="wrap_content"
android:layout_marginTop="4dp"
android:gravity="center_vertical"
android:layout_marginLeft="5dp"
android:text="@string/hello_world"
android:textColor="@color/steel_blue"
android:textSize="15sp"
android:textStyle="bold" />
</LinearLayout>
</LinearLayout>
Here we are creating a TextView inside a LinearLayout. The color of the text is given as blue, which is to be declared in the strings.XML file later.
Ignore the errors shown.
Now we have to create a selector file inside a new folder named "drawable"
for that Right click on the "res" folder and click "new" and click "folder"
as shown in the picture below.
Give the folder name as "drawable" and click "Finish" to create the folder, as shown in the picture below.
Right click on the newly created "drawable" folder and click "New" click "Android XML File" and Give the name "iconselector" to the file. Choose the root element as "selector" and click finish as shown in the picture below.
Now copy the following code in to the new file.
<?xml version="1.0" encoding="utf-8"?>
<selector xmlns:android="http://schemas.android.com/apk/res/android" >
<item android:drawable="@drawable/up" android:state_checked="true"></item>
<item android:drawable="@drawable/down"></item>
</selector>
Here we are specifying an icon named "up" from the drawable image folders, which is to be shown when the List is in expanded position and another icon named "down" when the List is in the collapsed position.
Save the file and close it.
Now we have to sepcify the color names in the strings.XML file.
Open file CustomLanguageListView > res > values > strings.xml
Copy the following code in to the file,
<?xml version="1.0" encoding="utf-8"?>
<resources>
<string name="app_name">CustomLanguageListView</string>
<string name="hello_world">Hello world!</string>
<string name="menu_settings">Settings</string>
<color name="steel_blue">#488AC7</color>
<color name="orange">#F88017</color>
</resources>
The color names and the corresponding color codes are given here. You can use html color codes in Android and give any name as you like. To get color code search "html color codes" in Google.
Lastly we have to save "up" and "down" arrow icons in to the drawable pictures folder. You can get the Android icons pack from the Google Developer site from the link here. Or you may choose any small icons as you want.
To choose an icon in an easy way open your Android manifest File
CustomLanguageListView > AndroidManifest.xml
Now choose the application tab and click "browse" button next to the "icon"
This is actually intended to change the icon of the application but you can create an icon using this method.
see the image for details,
In the next child window select "Notification icon" and give the name as "up" and click next
In the next Child window Click image and click "browse" and choose an icon.
If you have downloaded the font pack from google then choose
All_icons > Holo dark > xhdpi > 1_navigation_collapse
Click finish and cancel the Resource Chooser
Follow the same step above to create an "down" arrow icon
choose the following file
All_icons > Holo dark > xhdpi >1_navigation_expand
Click finish and cancel the Resource Chooser
Lastly add the following lines (highligted in blue) to your Android manifest file for Holo Black theme, (see the picture below for details)
<activity
android:theme="@android:style/Theme"
android:name="com.arise.customlanguagelistview.ListViewMainActivity"
android:label="@string/app_name" >
<intent-filter>
<action android:name="android.intent.action.MAIN" />
Now the project is ready to run.
When you run the project you will see the following result.
When you click on the heading the List Item is displayed as shown in the image shown below,
Now you have successfully completed a ListView Project.
You may download the source file from This Link
Nice post.Give it up. Thanks for share this article. For more visit:Web App Development
ReplyDeleteGreat Article android based projects
DeleteJava Training in Chennai Project Center in Chennai Java Training in Chennai projects for cse The Angular Training covers a wide range of topics including Components, Angular Directives, Angular Services, Pipes, security fundamentals, Routing, and Angular programmability. The new Angular TRaining will lay the foundation you need to specialise in Single Page Application developer. Angular Training Project Centers in Chennai
thank you so much ........... your post helped me a lot
ReplyDeleteIts really nice and informative blog..Thanks for sharing this blog..
ReplyDeleteAndroid Training Institutes in Chennai
Nice blog, For more android tutorials, example, tips and tricks visit: http://www.viralandroid.com
ReplyDeleteThanks for your article on Android technology. Android is an open source platform that allows developers to create stunning website loaded with various advanced features and functionalities. Android Training in Chennai | Android Course in Chennai
ReplyDeleteImpressive! I really like your blog. Thanks for the post.
ReplyDeletebest seo company in nagpur
website services in nagpur
Thanks for the informative article. This is one of the best resources I have found in quite some time. Nicely written and great info. I really cannot thank you enough for sharing.
ReplyDeleterpa training in marathahalli
rpa training in btm
rpa training in kalyan nagar
rpa training in electronic city
rpa training in chennai
rpa training in pune
rpa online training
Good Post! Thank you so much for sharing this pretty post, it was so good to read and useful to improve my knowledge as updated one, keep blogging.
ReplyDeleteData Science training in btm
Data Science training in rajaji nagar
Data Science training in chennai
Data Science training in kalyan nagar
Data Science training in electronic city
Data Science training in USA
selenium training in chennai
selenium training in bangalore
Good Post, I am a big believer in posting comments on sites to let the blog writers know that they ve added something advantageous to the world wide web.
ReplyDeletepython training in velachery
python training institute in chennai
Great post! I am actually getting ready to across this information, It’s very helpful for this blog.Also great with all of the valuable information you have Keep up the good work you are doing well.
ReplyDeleteDevops Training in pune
Devops Training in Chennai
Devops training in sholinganallur
Devops training in velachery
ReplyDeleteHowdy, would you mind letting me know which web host you’re utilizing? I’ve loaded your blog in 3 completely different web browsers, and I must say this blog loads a lot quicker than most. Can you suggest a good internet hosting provider at a reasonable price?
Amazon Web Services Training in OMR , Chennai | Best AWS Training in OMR,Chennai
Amazon Web Services Training in Tambaram, Chennai|Best AWS Training in Tambaram, Chennai
Hello! This is my first visit to When I initially commented, I clicked the “Notify me when new comments are added” checkbox and now each time a comment is added I get several your blog!
ReplyDeleteindustrial safetyu courses in chennai
It is most knowledgeable information like this.I will read this article it is very easy to learn this blog.
ReplyDeleteAndroid Training
Android Training in Chennai
This list has several positive aspects. The users will find its features very convenient for their device. You can also find the support services http://puressay.com/blog/page/9 for your future publications.
ReplyDeleteHere this blog really give helpful information in Android App development. We have experienced app developers and well known for Best Android App Development services Nagpur.
ReplyDeleteThanks for your sharing
ReplyDeleteDevOps Training in Chennai
Cloud Computing Training in Chennai
IT Software Training in Chennai
This is quite educational arrange. It has famous breeding about what I rarity to vouch. Colossal proverb. This trumpet is a famous tone to nab to troths. Congratulations on a career well achieved. This arrange is synchronous s informative impolite festivity to pity. I appreciated what you ok extremely here.
ReplyDeleteMicrosoft Azure online training
Selenium online training
Java online training
Java Script online training
Share Point online training
Appreciating the persistence you put into your blog and detailed information you provide
ReplyDeleteangularjs online training
apache spark online training
informatica mdm online training
devops online training
aws online training
This post is really nice and pretty good maintained.
ReplyDeleteBest R Training in Chennai
I’m really impressed with your article, such great & usefull knowledge you mentioned here. Thank you for sharing such a good and useful information here in the blog
ReplyDeleteKindly visit us @
SATHYA TECHNOSOFT (I) PVT LTD
SMO Services India | Social Media Marketing Company India
Social Media Promotion Packages in India | Social Media Marketing Pricing in India
PPC Packages India | Google Adwords Pricing India
Best PPC Company in India | Google Adwords Services India | Google Adwords PPC Services India
SEO Company in India | SEO Company in Tuticorin | SEO Services in India
Bulk SMS Service India | Bulk SMS India
Interesting information and attractive.This blog is really rocking... Yes, the post is very interesting and I really like it.I never seen articles like this. I meant it's so knowledgeable, informative, and good looking site. I appreciate your hard work. Good job.
ReplyDeleteKindly visit us @
Sathya Online Shopping
Online AC Price | Air Conditioner Online | AC Offers Online | AC Online Shopping
Inverter AC | Best Inverter AC | Inverter Split AC
Buy Split AC Online | Best Split AC | Split AC Online
LED TV Sale | Buy LED TV Online | Smart LED TV | LED TV Price
Laptop Price | Laptops for Sale | Buy Laptop | Buy Laptop Online
Full HD TV Price | LED HD TV Price
Buy Ultra HD TV | Buy Ultra HD TV Online
Buy Mobile Online | Buy Smartphone Online in India
The article is very interesting and very understood to be read, may be useful for the people. I wanted to thank you for this great read!! I definitely enjoyed every little bit of it. I have to bookmarked to check out new stuff on your post. Thanks for sharing the information keep updating, looking forward for more posts..
ReplyDeleteKindly visit us @
Madurai Travels
Best Travels in Madurai
Cabs in Madurai
Tours and Travels in Madurai
Excellent Blog. I really want to admire the quality of this post. I like the way of your presentation of ideas, views and valuable content. No doubt you are doing great work. I’ll be waiting for your next post. Thanks .Keep it up! Kindly visit us @
ReplyDeleteChristmas Gift Boxes | Wallet Box
Perfume Box Manufacturer | Candle Packaging Boxes | Luxury Leather Box | Luxury Clothes Box | Luxury Cosmetics Box
Shoe Box Manufacturer | Luxury Watch Box
Wow, what an awesome spot to spend hours and hours! It's beautiful and I'm also surprised that you had it all to yourselves!
ReplyDeleteKindly visit us @ Best HIV Treatment in India | Top HIV Hospital in India | HIV AIDS Treatment in Mumbai | HIV Specialist in Bangalore
HIV Positive Treatment in India | Medicine for AIDS in India
Are you looking for a maid for your home to care your baby,patient care taker, cook service or a japa maid for your pregnent wife we are allso providing maid to take care of your old parents.we are the best and cheapest service provider in delhi for more info visit our site and get all info.
ReplyDeletemaid service provider in South Delhi
maid service provider in Dwarka
maid service provider in Gurgaon
maid service provider in Paschim Vihar
cook service provider in Paschim Vihar
cook service provider in Dwarka
cook service provider in south Delhi
baby care service provider in Delhi NCR
baby care service provider in Gurgaon
baby care service provider in Dwarka
baby service provider in south Delhi
servant service provider in Delhi NCR
servant service provider in Paschim Vihar
servant Service provider in South Delhi
japa maid service in Paschim Vihar
japa maid service in Delhi NCR
japa maid service in Dwarka
japa maid service in south Delhi
patient care service in Paschim Vihar
patient care service in Delhi NCR
patient care service in Dwarka
Patient care service in south Delhi
such a nice post thanks for sharing this with us really so impressible and attractive post
ReplyDeleteare you searching for a caterers service provider in Delhi or near you then contact us and get all info and also get best offers and off on pre booking
caterers services sector 29 gurgaon
caterers services in west Delhi
event organizers rajouri garden
wedding planners in Punjabi bagh
party organizers in west Delhi
party organizers Dlf -phase-1
wedding planners Dlf phase-1
wedding planners Dlf phase-2
event organizers Dlf phase-3
caterers services Dlf phase-4
caterers services Dlf phase-5
Alleyaaircool is the one of the best home appliances repair canter in all over Delhi we deals in repairing window ac, Split ac , fridge , microwave, washing machine, water cooler, RO and more other home appliances in cheap rates
ReplyDeleteWindow AC Repair in vaishali
Split AC Repair in indirapuram
Fridge Repair in kaushambi
Microwave Repair in patparganj
Washing Machine Repair in vasundhara
Water Cooler Repair in indirapuram
RO Service AMC in vasundhara
Any Cooling System in vaishali
Window AC Repair in indirapuram
Totalsolution is the one of the best home appliances repair canter in all over Delhi we deals in repairing window ac, Split ac , fridge , microwave, washing machine, water cooler, RO and more other home appliances in cheap rates
ReplyDeleteLCD, LED Repair in Janakpuri
LCD, LED Repair in Dwarka
LCD, LED Repair in Vikaspuri
LCD, LED Repair in Uttam Nagar
LCD, LED Repair in Paschim Vihar
LCD, LED Repair in Rohini
LCD, LED Repair in Punjabi Bagh
LCD, LED Repair in Delhi. & Delhi NCR
LCD, LED Repair in Delhi. & Delhi NCR
Washing Machine repair on your doorstep
Microwave repair on your doorstep
In This Summers get the best designer umbrellas for you or for your family members we allso deals in wedding umbrellas and in advertising umbrellas For more info visit links given bellow
ReplyDeleteUMBRELLA WHOLESALERS IN DELHI
FANCY UMBRELLA DEALERS
CORPORATE UMBRELLA MANUFACTURER
BEST CUSTOMIZED UMBRELLA
FOLDING UMBRELLA DISTRIBUTORS
DESIGNER UMBRELLA
GOLF UMBRELLA DEALERS/MANUFACTURERS
TOP MENS UMBRELLA
LADIES UMBRELLA DEALERS
WEDDING UMBRELLA DEALERS
BEST QUALITY UMBRELLA
BIG UMBRELLA
Top Umbrella Manufacturers in India
Umbrella Manufacturers in Mumbai
Umbrella Manufacturers in Delhi
Garden Umbrella Dealers
Garden Umbrella Manufacturers
PROMOTIONAL UMBRELLA DEALERS IN DELHI/MUMBAI
PROMOTIONAL UMBRELLA MANUFACTURERS IN DELHI / MUMBAI
ADVERTISING UMBRELLA MANUFACTURERS
Rihan electronics is one of the best repairing service provider all over india we are giving our service in many different different cities like Noida,Gazibad,Delhi,Delhi NCR
ReplyDeleteAC Repair in NOIDA
Refrigerator Repair Gaziabad
Refrigerator repair in NOIDA
washing machine repair in Delhi
LED Light Repair in Delhi NCR
plasma TV repair in Gaziyabad
LCD TV Repair in Delhi NCR
LED TV Repair in Delhi
We are the one of the top blue art pottery manufacturers in jaipur get contact us and get all informations in detail visit our site
ReplyDeleteblue pottery jaipur
blue pottery shop in jaipur
blue pottery manufacturers in jaipur
blue pottery market in jaipur
blue pottery work shop in jaipur
blue pottery
top blue pottery in jaipur
blue pottery wholesale in jaipur
we are one of the top rated movers and packers service provider in all over india.we taqke all our own risks and mentanance. for more info visit our site and get all details and allso get amazing offers
ReplyDeletePackers and Movers in Haryana
Packers and Movers Haryana
Best Packers and Movers Gurugram
Packers and Movers in Gurugram
packers and movers in east delhi
packers and movers in south delhi
packer mover in delhi
cheapest packers and movers in faridabad
best Packers and Movers Faridabad
Are you searching for a home maid or old care attandents or baby care aaya in india contact us and get the best and experianced personns in all over india for more information visit our site
ReplyDeletebest patient care service in India
Male attendant service provider in India
Top critical care specialist in India
Best physiotherapist providers in India
Home care service provider in India
Experienced Baby care aaya provider in India
best old care aaya for home in India
Best medical equipment suppliers in India
Get the best nursing services baby care services medical equipment services and allso get the physiotherapist at home in Delhi NCR For more information visit our site
ReplyDeletenursing attendant services in Delhi NCR
medical equipment services in Delhi NCR
nursing services in Delhi NCR
physiotherapist at home in Delhi NCR
baby care services in Delhi NCR
Thank you for developing this fabulous information and this is very useful for me. I liked your post and keep doing...!
ReplyDeleteSpark Training in Chennai
Spark Training Fees in Chennai
Appium Training in Chennai
Tableau Training in Chennai
Oracle Training in Chennai
Oracle DBA Training in Chennai
Linux Training in Chennai
Embedded System Course Chennai
Excel Training in Chennai
Spark Training in Vadapalani
A very inspiring blog your article is so convincing that I never stop myself to say something about it. You’re doing a great job,Keep it up.
ReplyDelete100% Job Placement Tamilnadu | Best Colleges for Computer Engineering
Biomedical Engineering Colleges in Coimbatore | Best Biotechnology Colleges in Tamilnadu
"Biotechnology colleges in coimbatore, Biotechnology colleges in tamilnadu "
Biotechnology Courses in Coimbatore | Best MCA Colleges in Tamilnadu
Best MBA Colleges in Coimbatore | Engineering Courses in Tamilnadu
Engg Colleges in Coimbatore
I´ve been thinking of starting a blog on this subject myself .....
ReplyDeleteThanks for sharing information. I really appreciate it.
ReplyDeleteI believe there are many more pleasurable opportunities ahead for individuals that looked at your site.
ReplyDeleteAws training chennai | AWS course in chennai
Rpa training in chennai | RPA training course chennai
sas training in chennai | sas training class in chennai
Thanks for sharing...
ReplyDeleteVery good Keep it up.
Nice blog, it’s so knowledgeable, informative, and good looking site. I appreciate your hard work. Good job. Thank you for this wonderful sharing with us. Keep Sharing.
ReplyDelete
ReplyDeleteA very inspiring blog your article is so convincing that I never stop myself to say something about it.
I have been reading for the past two days about your blogs and topics, still on fetching! Wondering about your words on each line was massively effective. Techno-based information has been fetched in each of your topics. Sure it will enhance and fill the queries of the public needs. Feeling so glad about your article. Thanks…!
ReplyDeletemagento training course in chennai
magento training institute in chennai
magento 2 training in chennai
magento development training
magento 2 course
magento developer training
I am happy for sharing on this blog its awesome blog I really impressed. thanks for sharing. Great efforts.
ReplyDeleteGet Best Service Now Training in Bangalore from Real Time Industry Experts with 100% Placement Assistance in MNC Companies. Book your Free Demo with Softgen Infotech.
Thank you for sharing such a nice post!
ReplyDeleteLooking for Best Training Institute in Bangalore , India. Softgen Infotech is the best one to offers 85+ computer training courses including IT Software Course in Bangalore , India. Also, it provides placement assistance service in Bangalore for IT.
Great post!I am actually getting ready to across this information,i am very happy to this commands.Also great blog here with all of the valuable information you have.Well done,its a great knowledge. Real Time Experts training center bangalore
ReplyDeleteGreat post!I am actually getting ready to across this information,i am very happy to this commands.Also great blog here with all of the valuable information you have.Well done,its a great knowledge.student review for Realtime Experts marathahalli bangalore
ReplyDeleteThank you for your post. This is excellent information. It is amazing and wonderful to visit your site. Real Time Experts Training in Bangalore center address bangalore
ReplyDeleteA very interesting blog....
ReplyDeleteKeep sharing the post like this.
ReplyDeleteIt’s so knowledgeable Nice blog...
ReplyDeleteKeep sharing the post like this.
ReplyDeleteI have been reading for the past two days about your blogs and topics, still on fetching! Wondering about your words on each line was massively effective.
ReplyDeletephp online training in chennai
php programming center in chennai
php class in chennnai
php certification course
php developer training institution chennai
php training in chennnai
php mysql course in chennai
php institute in chennnai
php course in chennnai
php training with placement in chennnai
php developer course
Nice post. Thanks for sharing! I want people to know just how good this information is in your article. It’s interesting content and Great work.
ReplyDeleteappium online training
appium training centres in chennai
best appium training institute in chennnai
apppium course
mobile appium in chennnai
mobile training in chennnai
appium training institute in chennnai
Nice blog, it’s so knowledgeable, informative, and good looking site. I appreciate your hard work. Good job. Thank you for this wonderful sharing with us. Keep Sharing.
ReplyDeleteTours and Travels in Madurai | Best tour operators in Madurai
Best travel agency in Madurai | Best Travels in Madurai
Hi, Very nice article. I hope you will publish again such type of post. Thank you!
ReplyDeleteCorporate gifts ideas | Corporate gifts
Corporate gifts singapore | Corporate gifts in singapore
Promotional gifts singapore | Corporate gifts wholesale Singapore
ReplyDeleteThanks for sharing such a great blog
Vermicompost manufacturers in Tamilnadu | Vermicompost in Tamilnadu
Vermicompost Manufacturers | Vermicompost Suppliers
Vermicompost in Coimbatore | Vermicompost manufacturers in Chennai
Vermicompost in chennai | Best Vermicompost in chennai
.
Its very Wonder full blog.I found some knowledge full information in the blog. thanks for sharing valuable. very nice… i really like your blog…CheapWays Digital Marketing Company in Nagpur
ReplyDeleteAstrum InfoTech Agency is the Best Digital Marketing Company in Delhi, They help to generate the profit and visitors traffic on website. If you are looking for grow the online visibility of your business then please contact us. We Offer Best Digital Marketing Service like SEO Service, SMO Service, PPC Service, Facebook Marketing Services, Email marketing service, graphic design services, website designing service and website development service etc. https://www.astruminfotech.com/
ReplyDeleteThis comment has been removed by the author.
ReplyDelete
ReplyDeleteHi, Very nice article. I hope you will publish again such type of post. Thank you!
Corporate gifts ideas | Corporate gifts
Corporate gifts singapore | Corporate gifts in singapore
Promotional gifts singapore | Corporate gifts wholesale Singapore
At the same time, to enjoy who eco-friendly brazilian hair, typically the daily news pouch needs to browse through an operation from build which may be through transaction with the help of eco values. keep it guys.
ReplyDeleteAi & Artificial Intelligence Course in Chennai
PHP Training in Chennai
Ethical Hacking Course in Chennai Blue Prism Training in Chennai
UiPath Training in Chennai
you give me a good example of learning android ,thanks a lot! https://tjproducts.com.sg/
ReplyDeleteThanks for sharing such a great blog
ReplyDeleteVermicompost manufacturers in Tamilnadu | Vermicompost in Tamilnadu
Vermicompost Manufacturers | Vermicompost Suppliers
Vermicompost in Coimbatore | Vermicompost manufacturers in Chennai
Vermicompost in chennai | Best Vermicompost in chennai
Hi, Very nice article. I hope you will publish again such type of post. Thank you!
ReplyDeleteCorporate gifts ideas | Corporate gifts
Corporate gifts singapore | Corporate gifts in singapore
Promotional gifts singapore | Corporate gifts wholesale Singapore
Business card holder singapore | T shirts supplier singapore
Thumb drive supplier singapore | Leather corporate gifts singapore
ReplyDeleteHi, Very nice article. I hope you will publish again such type of post. Thank you!
Corporate gifts ideas | Corporate gifts
Corporate gifts singapore | Corporate gifts in singapore
Promotional gifts singapore | corporate gifts supplier
Thanks for sharing this information. I really appreciate it.
ReplyDeleteIphone service center in tnagar | Iphone service center in chennai
Lenovo mobile service center in Tnagar | Lenovo Mobile service center in chennai
Moto service center in t nagar | Motorola service center in t nagar
Moto Service Center in Chennai | Motorola Service Center in chennai
Nice blog, it's so knowledgeable, informative, and good looking site. I appreciate your hard work. Good job. Thank you for this wonderful sharing with us. Keep Sharing.
ReplyDeleteDevOps Training in Chennai
DevOps Course in Chennai
To be honest your article is informative and very helpful. Hp Laptop | Hp Laptop online
ReplyDeleteAmazing post thanks for sharing.
ReplyDeleteHadoop Training Institute in Pune
Hadoop Administration training institutes in Pune
Thank you for posting informative insights, I think we have got some more information to share with! Do check out
ReplyDeleteoracle training in chennai and let us know your thoughts. Let’s have great learning!
Worth reading! Our experts also have given detailed inputs about these trainings & courses! Presenting here for your reference. Do checkout Big data training in chennai & enjoy learning more about it.
ReplyDeleteInteresting stuff to read. Keep it up.Adidas showroom in madurai
ReplyDeleteWoodland showroom in madurai | Skechers showroom in Madurai
Puma showroom in madurai
Worth reading! Our experts also have given detailed inputs about these trainings & courses! Presenting here for your reference. Do checkout
ReplyDeleteAws training in chennai & enjoy learning more about it.
Thanks for sharing a useful knowledge-sharing blog.
ReplyDeleteIt helps in understanding and increase in knowledge.
Best Regards,
Prestashop addons
Prestashop modules
Prestashop addons
Magento extensions
PrestaShop Magento Opencart CRM Useful Blogs and How to do videos
Great, thank you so much for sharing such an amazing blog with us. OGEN Infosystem is one of the best Website Designing, Website Development, SEO, PPC, and Digital Marketing Services in Delhi, India.
ReplyDeleteWebsite Designing Company in India
Thanks for Sharing a Very Informative Post & I read Your Article & I must say that is very helpful post for us.
ReplyDeleteScan to BIM in Minnesota
Dimension Control Services in Birmingham
Plant Engineering Services in Bayern Germany
Reverse Engineering Services in Bayern Germany
Top Web Designing Agency in India
ReplyDeleteFinish the Get Big Data Certification in Chennai from Infycle Technologies, the best software training institute in Chennai which is providing professional software courses such as Data Science, Artificial Intelligence, Java, Hadoop, Selenium, Android, and iOS Development, etc with 100% hands-on practical training. Dial 7502633633 to get more info and a free demo and to grab the certification for having a peak rise in your career.
ReplyDeleteInfycle Technologies, the No.1 software training institute in Chennai offers the No.1 Big Data Hadoop Training in Chennai | Infycle Technologies for students, freshers, and tech professionals. Infycle also offers other professional courses such as DevOps, Artificial Intelligence, Cyber Security, Python, Oracle, Java, Power BI, Selenium Testing, Digital Marketing, Data Science, etc., which will be trained with 200% practical classes. After the completion of training, the trainees will be sent for placement interviews in the top MNC's. Call 7502633633 to get more info and a free demo.
ReplyDeleteToday I was surfing on the internet & found this article I read it & it is really amazing articles on the internet on this topic thanks for sharing such an amazing article.
ReplyDeleteWeb Designing Services in Nagpur
Infycle Technologies, the best software training institute cum placement center in Chennai offers the best Digital Marketing course in Chennai for freshers, students, and tech professionals at the best offers. In addition to the Digital Marketing Training, other in-demand courses such as AWS, DevOps, Data Science, Python, Selenium, Big Data, Java, Power BI, Oracle will also be trained with 100% practical classes. After the completion of training, the trainees will be sent for placement interviews in the top MNC's. Call 7504633633 to get more info and a free demo.Best Digital Marketing Course in Chennai | Infycle Technologies
ReplyDeletegaming headphones
ReplyDeleteAre you looking for the best web design company in navi mumbai? If yes then connect with us to get an unique web design for your organization. Get all types of website design and development services by hiring CSS Founder.
ReplyDeleteWe are a company CSS Founder that is known as the best Website designing company in Ghaziabad. Connect with if you want re-design or re-develop your existing website.
ReplyDeleteThanks for sharing such a great blog
ReplyDeleteVermicompost Manufacturers | Vermicompost Suppliers
Vermicompost in chennai | Vermicompost manufacturers in Chennai
Impressive!Thanks for the post
ReplyDeleteBest Travel Agency in Madurai | Travels in Madurai
Madurai Travels | Best Travels in Madurai
Tours and Travels in Madurai | Best Tour Operators in Madurai
I read your article, it contains very nice information. Please keep posting like this so that i can read your blogs regularly.
ReplyDeleteUpcoming projects in Sector 79 Noida
Forex Broker Canada Forex Broker USA Top List Of Forex Brokers By Country. Compare Forex Brokers, Forex Trading Platforms & Forex Indicators.
ReplyDeleteAmazing post, thank you for sharing this valuable and interesting post. Keep posting like this. Visit Al mumtaz tents in dubai and get the best tents for your party and events.
ReplyDeleteTent Companies in Dubai
I really enjoyed this post
ReplyDeletePackers and Movers in Chennai | Packers and Movers in Trichy
Packers and Movers in Theni | Packers and Movers in Karur
Packers and Movers in Madurai
Do you need smartphone insurance? If yes then connect with Assure India that provides best insurance services with a lot of features.
ReplyDeleteCSS Founder is known as the best website design & developement company across India. Connect with us if you want to take your business online. We can be the right choice for you.
ReplyDeleteWebsite designing company in Delhi
You are providing such a piece of nice information to us. Keep it up!
ReplyDeleteBrackish Water Desalination 150000 GPD R.O. System Djibouti
You have shared really very nice information. Please keep posting like this so that we can get knowledge from your blog. I hope I will read your new blog soon.
ReplyDeleteResorts in Lansdowne with Swimming Pool
Amazing write-up! Best Murukku Machine in Tamilnadu
ReplyDeleteLow Cost Murukku Machine in Tamilnadu
Automatic Murukku Machine in Tamilnadu
Kai Murukku Machine in Tamilnadu
Chakli Making Machine in Tamilnadu
I have never read such kind of information which you have shared via this article. Keep sharing your knowledge with us. Thanks a lot!
ReplyDeleteMulti-Media Water Filtration 42”x 78″ (147 GPM)
Thank you so much for sharing this post, I appreciate your work. It was a great informative post
ReplyDeleteDestination wedding in rishikesh
Very unique information I got here. so many blogs I search and I find but your blog is different blog then others great job you have done.
ReplyDeleteWebsite design company in Kozhikode
Thanks for the informative and helpful post, obviously in your blog everything is good. Website design company in Tirupati
ReplyDeleteThanks for the informative and helpful post, obviously in your blog everything is good. Website design company in Salem
ReplyDeleteExotica Housing is the luxury apartments in Noida extension, If you want to purchase a property in Noida so connect with us
ReplyDeleteI really enjoyed reading your article. I found this as an informative and interesting post, so i think it is very useful and knowledgeable. Digital Marketing Company in lucknow
ReplyDeletedental uv sterilizer
ReplyDeleteVery Nice Website, I really Appreciate your contents, this is very meaning for us.
ReplyDeletePitampura Website Designers
IB Solar is a Tubular Battery provider in India. We provide the best quality solar batteries at the best price. Our company is one of the leading solar battery manufacturers in India
ReplyDeleteWhat Our Client Says
I would recommend your website to everyone. You have a very good gloss. Write more high-quality articles. I support you..
ReplyDeletebest-satellite-finders-in-india/
best-sandals-with-arch-support-in-india/
best-samovars-in-india/
TruePower is a trusted source for quality power products. We have been supplying the wholesale and retail market with our range of high-quality, affordable and reliable products since 2001. TruePower Solar Offgrid and Hybrid Inverter
ReplyDeleteIf you are looking for a journal where you can connect with your peers, IJRAset is the right place. The journal has a very good reputation for publishing high-quality research papers. The journal also publishes research papers from various disciplines including engineering, chemistry, biology, and arts. Best Journal in India AIM
ReplyDelete