2018-04-29

Can we override static method in java ?

No ! we cannot override the static methods. Since static method belongs to class level not object level.

class StaticExe1 {
public static void run() {
System.out.println("run of StaticExe1");
}
public  void fly() {
System.out.println("fly of non-static Exe1");
}
}

class StaticExe2 extends StaticExe1 {
public static void run() {
System.out.println("run of StaticExe2");
}
public  void fly() {
System.out.println("fly of non-static Exe2");
}
}
class StaticExe3 extends StaticExe2 {
public static void run() {
System.out.println("run of StaticExe3");
}
public  void fly() {
System.out.println("fly of non-static Exe3");
}
}

public class StaticMethod {

public static void main(String[] args) {

StaticExe2 ex = new StaticExe3();
ex.run();
ex.fly();
}


}

2018-04-28

Sort a Map by value !!

Sorting a Map by value in Java:

import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
import java.util.HashMap;
import java.util.List;
import java.util.Map;
import java.util.Map.Entry;
import java.util.Set;

public class SortMapByValue {
public static void main(String[] args) {
Map<String, Integer> map = new HashMap<String, Integer>();
map.put("z", 2);
map.put("q", 0);
map.put("p", 5);
map.put("s", 8);
map.put("o", 0);
map.put("r", 9);
map.put("v", 8);
System.out.println(map);
Set<Entry<String, Integer>> entrySet = map.entrySet();
List<Entry<String, Integer>> lists = new ArrayList<Entry<String, Integer>>(entrySet);

Collections.sort(lists, new Comparator<Entry<String, Integer>>() {
@Override
public int compare(Entry<String, Integer> o1, Entry<String, Integer> o2) {
return (o1.getValue()).compareTo(o2.getValue());
}
});
System.out.println("--------------------");
for (Map.Entry<String, Integer> entry : lists) {
System.out.println(entry.getKey() + " :: " + entry.getValue());
}
}
}

Output:

{p=5, q=0, r=9, s=8, v=8, z=2, o=0}
--------------------
q :: 0
o :: 0
z :: 2
p :: 5
s :: 8
v :: 8
r :: 9

2018-04-27

Java single field sort using Comparator.


import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
import java.util.List;

class SortBySalary implements Comparator<Human> {
@Override
public int compare(Human o1, Human o2) {
if (o1.salary > o2.salary)
return 1;
if (o1.salary < o2.salary)
return -1;
return 0;
}

}

class Human {
String name;
int age;
double salary;

public Human(String n, int a, double s) {
this.name = n;
this.age = a;
this.salary = s;
}

public Human() {
}

public String toString() {
return this.name + " " + this.age + " " + this.salary;
}

}

public class ComparatorExe {
public static void main(String[] args) {

List<Human> l = new ArrayList();
Human h1 = new Human("ritesh", 12, 6000);
Human h2 = new Human("raju", 18, 5000);
Human h3 = new Human("ishaan", 10, 7000);
Human h4 = new Human("yuyu", 15, 333);
Human h5 = new Human("yuyu", 17, 333);
Human h6 = new Human("yuyu", 13, 333);
l.add(h1);
l.add(h2);
l.add(h3);
l.add(h4);
l.add(h5);
l.add(h6);

System.out.println(l);

Collections.sort(l, new SortBySalary());
System.out.println(l);
}

}


Output: 
[ritesh 12 6000.0, raju 18 5000.0, ishaan 10 7000.0, yuyu 15 333.0, yuyu 17 333.0, yuyu 13 333.0] [yuyu 15 333.0, yuyu 17 333.0, yuyu 13 333.0, raju 18 5000.0, ritesh 12 6000.0, ishaan 10 7000.0]

Java multiple way sorting - Comparator example .

Compare multiple fields using Comparator:

import java.util.ArrayList;
import java.util.Arrays;
import java.util.Collections;
import java.util.Comparator;
import java.util.List;

class SortByAnimalByName implements Comparator<Animal> {

@Override
public int compare(Animal o1, Animal o2) {
return o1.name.compareTo(o2.name);
}

}

class SortByAnimalByColor implements Comparator<Animal> {

@Override
public int compare(Animal o1, Animal o2) {
return o1.color.compareTo(o2.color);
}

}

class SortByAnimalByWeight implements Comparator<Animal> {

@Override
public int compare(Animal o1, Animal o2) {
if (o1.weight > o2.weight) {
return 1;
}
if (o1.weight < o2.weight) {
return -1;
}
return 0;
}

}

class SortByAllAnimal implements Comparator<Animal> {
List<Comparator<Animal>> com;

SortByAllAnimal(Comparator<Animal>... all) {
this.com = Arrays.asList(all);

}

@Override
public int compare(Animal o1, Animal o2) {
for (Comparator<Animal> x : com) {
int res = x.compare(o1, o2);
if (res != 0) {
return res;
}
}
return 0;
}

}

class Animal {
String color;
String name;
int weight;

Animal(String c, String n, int w) {
this.color = c;
this.name = n;
this.weight = w;

}

public String toString() {
return this.color + " " + this.name + " " + this.weight;
}
}

public class ComparatorMultipleData {
public static void main(String[] args) {
List<Animal> l = new ArrayList();
Animal a1 = new Animal("black", "dog", 20);
Animal a2 = new Animal("white", "cat", 15);
Animal a3 = new Animal("black", "elephant", 120);
Animal a4 = new Animal("white", "horse", 80);
l.add(a1);
l.add(a2);
l.add(a3);
l.add(a4);
System.out.println(l);
Collections.sort(l,
new SortByAllAnimal(new SortByAnimalByName(), new SortByAnimalByColor()));

System.out.println(l);
}

}



Output:

[black dog 20, white cat 15, black elephant 120, white horse 80] 

[white cat 15, black dog 20, black elephant 120, white horse 80]

2018-04-24

What is the output of the program ?



  1. class SampleExec1 {
  2. void run() {
  3. System.out.println("SampleExec1 run");
  4. }
  5. }

  6. class SampleExec2 extends SampleExec1 {
  7. void run() {
  8. System.out.println("SampleExec2 run");
  9. }
  10. }

  11. public class SampleExecution {
  12. public static void main(String[] args) {
  13. SampleExec2 ex = new SampleExec1();
  14. ex.run();
  15. }
  16. }
Output: compile time error at line 15. Type mismatch: cannot convert from SampleExec1 to SampleExec2

Write a program to find maximum profit


  1. public class MaxProfit {
  2.   public static void main(final String[] args) {
  3.     int a[] = { 4, 1, 10, 2, 3, 5, 6, 25, 48, 8, 26 };
  4.     int max = a[a.length - 1];
  5.     int min = a[a.length - 1];
  6.     int indexOfMax = a.length - 1;
  7.     int indexOfMin = a.length - 1;
  8.     int dif = -1;
  9.     for (int i = a.length - 2; i >= 0; i--) {
  10.       if (max < a[i]) {
  11.         max = a[i];
  12.         indexOfMax = i;
  13.       }
  14.       if (max > a[i]) {
  15.         min = a[i];
  16.         indexOfMin = i;
  17.       }
  18.       if ((indexOfMax > indexOfMin)) {
  19.         if (dif < (max - min)) {
  20.           dif = max - min;
  21.         }
  22.       }
  23.     }
  24.     System.out.println(dif);
  25.   }
  26. }

2018-04-19

Write a program to count each unique words in a given string.




  1. public class WordCountByMapAlgoritham {

  2. public static void main(String[] args) {
  3. String s = "this is java code. this java code is highly recommended for java developer !!";
  4. String a[] = s.split(" ");
  5. Map<String, Integer> map = new HashMap<String, Integer>();

  6. for (String word : a) {
  7. if (map.get(word) != null) {
  8. map.put(word, map.get(word) + 1);
  9. } else
  10. map.put(word, 1);
  11. }
  12. System.out.println(map);
  13. }
  14. }

Output: 
{!!=1, java=3, code=1, code.=1, this=2, for=1, is=2, developer=1, highly=1, recommended=1}

2018-04-17

Write a program to check prime number.

Write a program to check prime number.


public class PrimeNumberAlgorithm {

public static void main(String[] args) {
isPrimeNumber(11);
}

private static void isPrimeNumber(int n) {

boolean flag = true;
int m = n / 2;

for (int i = 2; i <= m; i++) {
if (n % i == 0) {
flag = false;
break;
}
}
System.out.println(flag == true ? "Prime number !!" : "Not prime number !!");
}
}

2018-04-11

Today Walkins 12th April

1. Ionidea Hiring for HR Executive | Direct Walkin

Experience : 0-1 Yrs 

Qualification: Only MBA Candidates

Essential Skills:
Very good attitude with enthusiasm and willingness to learn and contribute more.
Excellent communication and interpersonal skills.
Should have the intelligence and maturity to carry out varied tasks and responsibilities.
Strong Time Management and Priority Management skills.

Date: 12th to 13th April 2018

Timing : 11:00 AM - 1:00 PM 

Venue: Ionidea Interactive Pvt Ltd 38-40 EPIP Zone , Whitefield - 66

Google Map: https://goo.gl/maps/UduSMHYA4H52

==========================================

2. Pole To Win Hiring for Software Testing, Game Testing, Customer Support | Direct Walkin

Exp: Freshers / Experienced

Skills:
Excellent verbal and written communication skill
Be good in logical, analytical and reasoning skill
Possess strong gaming skills
Well versed in Manual Testing concepts, Gaming Platforms and Basic Computers.

Date: 12th April to 30th April 2018 (Monday To Saturday)

Time: 10:00AM to 1:00PM

Venue: Pole to win international, fortune summit, 4th floor, Roopena Agrahara, Hosur Road, Bangalore, 560068

==========================================

3. Calpion Software Technologies Pvt. Ltd Hiring for Civil and Mechanical Engineers | Direct Walkin

#MALE CANDIDATES ONLY

Date - Thursday & Friday - 12th and 13th April 2018

Time: 11.00AM to 1.00PM

Venue: Calpion Software Technologies Pvt Ltd, 2nd Floor, 885, 7th Main Rd, KSRTC Layout, 2nd Phase, JP Nagar, Bengaluru, Karnataka 560078

Google Map: https://goo.gl/maps/ikxhGgQ4Ki82

==========================================

4. Allsec Technologies Ltd. Hiring for Voice Process | Direct Walkin

Day Shift
Outbound Voice Process
Good communication in English
Fluent in Kannada or Tamil or Malayalam or Telugu

Qualification: Any Graduation

PLEASE schedule your interviews with HR Nisha 9880001331,08041129933 before walk-in for interviews.

#Mention HR Nisha on top of your resume to identify source.

Interview Date: 12th April 2018

Interview Timin 11.00 AM to 5.00 PM

Venue: Allsec Technologies Ltd. 45/7, 3rd Floor, Vinayaka Complex, Residency Cross Road, Bangalore 25

(Near Mayo Hall Bust Stop at Residency Cross Road)

Google Map: https://goo.gl/maps/FzCbALwi3jA2

=======================================

5. CONVERGYS India Services Pvt Ltd Hiring for Customer Support Executive - Non Voice | Direct Walkin

Education & Experience:
12th or Any Graduation
Freshers or with Any experience
Should be good in Typing with 25 words per Minute

Date: 12th April 2018 to 14th April 2018 

Time : 10 :00am to 4:00pm 

Venue: Convergys India Services, 55, Divya Shree Towers, Bannerghatta Main Road Bangalore Opp to Jaydeva Hospital Next to Airtel office

Contact : Ramya Sriram / Suprabha Nagaraja 

Contact : Number 9916150543/ 9916170432

Google Map: https://goo.gl/maps/X1V1XExtEn12

=======================================

6. Genpact Hiring for Technical Support for Desktop | Direct Walkin

Knowledge, Experience, Education:

Graduate from a reputed university with excellent interpersonal and communication skills.
Hands on experience in level trouble shooting on desktops
Hands on experience in installation and troubleshooting of different versions of windows desktop operating systems and Linux OS
Experience in trouble shooting all hardware as well as connected software.

Good communication skills in English is must.

Venue: Genpact Salarpuria soft zone ,(SMS Building), opposite to citrus hotel,Belllandur petrol bunk bus stop .Bangalore-560103

Date: 12th April 2018

Time: 11:00AM On wards

Contact:- Anuradha (9739020751 /7619420609 ) Payaswini (8247037269)

Google Map: https://goo.gl/maps/ASRetAiLt822

=======================================

2018-04-06

Today Walkins 7th April 2018


1. Sentienz Solutions (P) Ltd Hiring for Java Developer | Direct Walkin

Exp: 0 to 6 yrs

Criteri
BE / BTech(CS,IS,IT,EEE), MCA
65% throughout career

Java Developers (10 positions)

Core Java Developers (10 nos)
Experience 0-6 years
Core Java with good experience in Datastrcutures and algorithms
Experience in one or more of the following technologies : Cassandra, Elastic Search, Mongodb, Hbase, Couchdb, Kafka, Hadoop, Spark, Hive, Pig, Bigquery

Application Developers (10 positions)

Experience in Microservices, Spring Boot, JPA, SQL, J2e, Jenkins, Ansible, Rest API and with exposure to AWS or GCP

Date: 7th April

Time: 10:00AM

Venue: 3rd Floor, PR Business Center, Kadubisanahalli, Marathahalli, Landmark: Above Croma Stores , Opposite JP Morgan, Bengaluru, Karnataka 560087

Google Map: https://goo.gl/maps/qGdJUdgREnv


==========================================

2. Wipro Hiring for Tech Support | Direct Walkin

Exp: Freshers / Experienced

#NOTE: BE / BTech Not Allowed. 2018 Batch is also not allowed.

Date: 7th April 2018

Time: 10:00AM to 2:00PM

Venue: SEZ Unit I & II Divyasree Technopark, EPIP Zone, Kundalahalli, Doddanakundi, Kundalahalli, Brookefield, Bengaluru, Karnataka 560037

Google Map: https://goo.gl/maps/Cu6TWRkHwT42

==========================================

3. Pole To Win Hiring for Software Testing, Game Testing, Customer Support | Direct Walkin

Exp: Freshers / Experienced

Skills:
Excellent verbal and written communication skill
Be good in logical, analytical and reasoning skill
Possess strong gaming skills
Well versed in Manual Testing concepts, Gaming Platforms and Basic Computers.

Date: 7th April to 30th April 2018 (Monday To Saturday)

Time: 10:00AM to 1:00PM

Venue: Pole to win international, fortune summit, 4th floor, Roopena Agrahara, Hosur Road, Bangalore, 560068


==========================================

4. CSS Corp Hiring for Trainee | Direct Walkin

Exp: Freshers

Batch: 2016 / 2017

Desired Skill Set:
B.E/B.Tech, M.E/M.tech, MCA, M.Sc (Networking/Telecommunication) Fresher
Excellent communication is Must.
Good knowledge in networking and OS.
Smart Tech Savvy Candidates with good Analytical Skills
Should be flexible to work on Rotational shift which also includes Night Shifts.
CCNA/CCNP certification or training would be an added advantage.

Walk-In Date : 07-April-18

Time : 10:00 AM to 05:00 PM

Venue: Slash Support Pvt Ltd Unit -B(2) Ground Floor, Victor Building, ITPB Bangalore SEZ Whitefield Road, Bangalore 560 066

Contact : Rohini

Google Map: https://goo.gl/maps/7QhgM5X9QAD2

==========================================

5. DXC Technology Hiring for Tech Support | Referral Walkin

JD:
Troubleshooting Hardware/Networking/OS related queries for our gloabl customers over phone.
Take calls from global customers and provide the right response, positively and professionally.

Criteri
Freshers can apply
Flexible to work in any shifts
Full time graduates with excellent communication skills with 0 to 2 yrs of exp.

Date: 7th April 2018

Time: 10:00AM to 1:00PM

Venue: DXC Technology, EC1 Campus, 39/40 HP Avenue, Electronic City Phase, Bangalore

LandMark: Opposite Timken

Contact Person - Komal

Google Map: https://goo.gl/maps/GhF4ehYdnMN2


==========================================

6. Amazon Hiring for German Language Specialist | Direct Walkin

Exp: 0 to 5 yrs

Eligibility Criteria : German Language: B1 or above / equivalent level.
Any Graduate.
Willing to relocate to Hyderabad / Bangalore.
Willing to work in rotational shifts & week offs.

Date: 7th April 2018

Time: 11am to 2:00pm

Venue: Ground Floor Interview Area Orion Building Bagmane Constellation Business Park, K.R. Puram- Marathalli Ring Road, Mahadevpura, Bangalore - 560048

Google Map: https://goo.gl/maps/HB45BZoqTWE2

==========================================

7. Allsec Technologies Ltd. Hiring for Voice Process | Direct Walkin

Day Shift
Outbound Voice Process
Good communication in English
Fluent in Kannada or Tamil or Malayalam or Telugu

Qualification: Any Graduation

PLEASE schedule your interviews with HR Vanishri 9880001331 before walk-in-in for interviews.

#Mention HR Vanishri on top of your resume to identify source.

Interview Date: 7th April 2018

Interview Timin 11.00 AM to 5.00 PM

Venue: Allsec Technologies Ltd. 45/7, 3rd Floor, Vinayaka Complex, Residency Cross Road, Bangalore 25

(Near Mayo Hall Bust Stop at Residency Cross Road)

Google Map: https://goo.gl/maps/FzCbALwi3jA2


=======================================

8. Accenture Hiring for International Voice Process | Direct Walkin

EDUCATION CRITERIA :

Graduates
Undergraduates (10+2 / 10+2+Diploma ) and BE/B.Techs with minimum 6 months experience in Customer Support BPO

NOTE: Undergraduates / B.E / B.Tech FRESHERS and Post Graduates CANNOT APPLY

SKILLS:
Excellent communication Skills
Only candidates with excellent communication skills will be shortlisted

Date: 7th April 2018

Time : 10:00am- 1:00pm

Venue: Accenture Bang 3 Tower B Reception, 4/1, IBC Knowledge Park, Bannerghatta Road, Bengaluru, Karnataka 560029

Landmark : Opposite to Fire Station

Contact Person: Greeshma @9886624063

Google Map: https://goo.gl/maps/DxHH1z8aP512


=======================================

2018-04-05

Today Walkins 6th April 2018

1. Ionidea Hiring for HR Executive | Direct Walkin

Experience : 0-1 Yrs

Qualification: Only MBA Candidates

Essential Skills:
Very good attitude with enthusiasm and willingness to learn and contribute more.
Excellent communication and interpersonal skills.
Should have the intelligence and maturity to carry out varied tasks and responsibilities.
Strong Time Management and Priority Management skills.

Date: 6th April 2018

Timing : 11:00 AM - 1:00 PM

Venue: Ionidea Interactive Pvt Ltd 38-40 EPIP Zone , Whitefield - 66

Google Map: https://goo.gl/maps/UduSMHYA4H52


==========================================

2. Pole To Win Hiring for Software Testing, Game Testing, Customer Support | Direct Walkin

Exp: Freshers / Experienced

Skills:
Excellent verbal and written communication skill
Be good in logical, analytical and reasoning skill
Possess strong gaming skills
Well versed in Manual Testing concepts, Gaming Platforms and Basic Computers.

Date: 6th April to 30th April 2018 (Monday To Saturday)

Time: 10:00AM to 1:00PM

Venue: Pole to win international, fortune summit, 4th floor, Roopena Agrahara, Hosur Road, Bangalore, 560068

==========================================

3. Artech Infosystems Pvt. Ltd. Hiring for L1 Global Technical Support Executive | Direct Walkin

Qualification:
UG : Any Stream- B.E/B.Tech (CSE,EEE,ECE,IT,Mechanical, Civil etc.) & B com, BBA, BSC, BCA
PG : MCA,MSC,M.tech, MBA
Year of Passed Out: 2016, 2017 Only
No Percentage Criteria.(back logs not an challenge)

Contact Details: Nawaz Baig N- 9741546763

Job Description:

Resolving technical issues (hardware and OS) from incoming internal or external businesses and end user's contacts and proactive notification system
Providing excellent customer service support to Global customers during every single interaction
Assisting end users to avoid or reduce problem occurrences
Adding case resolution to Knowledge Management System
Responding to service, product, technical, and customer relations questions on subjects such as features, specifications, and repairs on current and discontinued products,

parts, and options, based on customer entitlement (warranty through mission critical).

Date of the interview - 6th April 2018

Timing - 9.30 AM

Skills:
Voice Process, English and Communication Skill Is Mandatory**
Good Knowledge on Hardware and OS Skills*
Customer relationship management, Should be able to interact with global customers, Ready to accept Inbound and out bound process

Venue: Artech Infosystems Pvt Ltd Plot No. 76 - 77, Cyber Park, Block B, 1st Floor, Electronic city Phase I, Doddathogur Village, Hosur Road, Bangalore-560100

Google Map: https://goo.gl/maps/XxQCTHHKZPD2


==========================================

4. Concentrix Hiring for Tech Support | Direct Walkin

Processes :
1. VMware (Core Technical Voice Process/Excellent English Communication required )
2. Intuit Sales (Tele Sales/Good communication in English and Hindi)
3. iOS (Voice process with Excellent communication in English and Hindi)
4. AisAsia (Airlines/Voice process/Good English Communication)

Any graduate/UG with 6 months experience

Date: 6th April 2018, 10:00AM On wards

Venue: Concentrix, D4 block, 1st floor, Manyata Embassy Business Park, Nagawara, Bangalore 560045

Google Map: https://goo.gl/maps/S7mZ6kEiKNB2

==========================================

5. CONVERGYS India Services Pvt Ltd Hiring for Technical Support | Direct Walkin

Eligibility:
Graduates/Under Graduates with or without experience with good technical knowledge and good communication skills

Walk-in Timin 1pm 5 pm

Contact Person: SABA- 9886210024

Date : 6th April 2018

Venue : Convergys Divyasree Towers, #55, BTM layout 1st stage, Opposite Jayadeva hospital, Bannerghata Main Road, Bengaluru, Karnataka 560076

Mention "SABA" on top of the CV Meet SABA

Google Map: https://goo.gl/maps/X1V1XExtEn12


=========================================

6. Groupon Hiring for Customer Service Reps | Direct Walkin

Minimum Experience: Fresher - 2013, 2014, 2015, 2016,2017 / 0 - 3.5 Years experience

Skills and Qualification:
Previous professional experience in a customer service capacity, preferably in a high volume, transactional environment Strong written and verbal communication skills
Skilled and eloquent in writing.
Strong communication and interpersonal skills.
Ability to work under pressure and adapt quickly to adverse situations.
Experience in e-commerce or back office environment will be an added advantage
Comfort in a computer based role for up to 8 hours a day
Ability to work in any shift based on business needs.

Walk-In Drive - 6th April to 11th April 2018(Sat and Sunday Off)

Walk-In Timin 9:30 AM to 11:30 AM (Kindly walk-in only at scheduled time)

Venue: Gopalan Global Axis (IT SEZ) - 2nd Floor, G-Block, Road 9, KIADB Export Promotion Area, Whitefield, Opp Satya Sai Hospital, Bengaluru 560066

Contact Person: Prakash - TA Team (HR)

Google Map: https://goo.gl/maps/DF9ZfJKPp5U2

=======================================

7. Mphasis Hiring for non Voice Process | Direct Walkin

Minimum Qualification:Graduation(No BE, No B tech, No MCA)

Typing Skills Required
Microsoft (Excel, Word, PowerPoint)
Good oral and written communication skills
Candidate should be willing to work for the night shift.
Candidate should have the knowledge of Capital Market
Candidate should be willing to join us Immediately.
Candidate should have the passport.

Date: 6th April 2018

Time: 11 AM to 2 PM

Venue: Mphasis Ltd, 4th Floor, WTC 4, Block A, Bagmane World Technology Center, WTC 4, KR Puram, Marathahalli Outer Ring Road, Mahadevapura, Bangalore 560 048, India

Contact: Arunima Rai (India .T +91 80 67505257 | arunima.rai@mphasis.com)

Google Map: https://goo.gl/maps/FxjW7dECr4m


=======================================

8. Allsec Technologies Ltd. Hiring for Voice Process | Direct Walkin

Day Shift
Outbound Voice Process
Good communication in English
Fluent in Kannada or Tamil or Malayalam or Telugu

Qualification: Any Graduation

PLEASE schedule your interviews with HR Vanishri 9880001331 before walk-in-in for interviews.

#Mention HR Vanishri on top of your resume to identify source.

Interview Date: 6th, 7th April 2018

Interview Timin 11.00 AM to 5.00 PM

Venue: Allsec Technologies Ltd. 45/7, 3rd Floor, Vinayaka Complex, Residency Cross Road, Bangalore 25

(Near Mayo Hall Bust Stop at Residency Cross Road)

Google Map: https://goo.gl/maps/FzCbALwi3jA2


=======================================

2018-04-04

Today Walkins 5th April 2018

1. Ionidea Hiring for HR Executive | Direct Walkin

Experience : 0-1 Yrs

Qualification: Only MBA Candidates

Essential Skills:
Very good attitude with enthusiasm and willingness to learn and contribute more.
Excellent communication and interpersonal skills.
Should have the intelligence and maturity to carry out varied tasks and responsibilities.
Strong Time Management and Priority Management skills.

Date: 5th, 6th April 2018

Timing : 11:00 AM - 1:00 PM

Venue: Ionidea Interactive Pvt Ltd 38-40 EPIP Zone , Whitefield - 66

Google Map: https://goo.gl/maps/UduSMHYA4H52

==========================================

2. Pole To Win Hiring for Software Testing, Game Testing, Customer Support | Direct Walkin

Exp: Freshers / Experienced

Skills:
Excellent verbal and written communication skill
Be good in logical, analytical and reasoning skill
Possess strong gaming skills
Well versed in Manual Testing concepts, Gaming Platforms and Basic Computers.

Date: 5th April to 30th April 2018 (Monday To Saturday)

Time: 10:00AM to 1:00PM

Venue: Pole to win international, fortune summit, 4th floor, Roopena Agrahara, Hosur Road, Bangalore, 560068

==========================================

3. Tech Mahindra Hiring for HR Recruiter | Direct Walkin

Experience Level: 0 to 2 Years (MBA Freshers can walk-in directly)

Skills: HR Recruitment, Screening, Sourcing, E2E Recruitment, BPO Hiring, Volume Hiring

Role and Responsibilities:

1. Good Communication and can handle stakeholders with in the different business units of TechM BPS
2. Can handle end-to-end recruitment process
3. Should have prior experience into handling weekday and week end walk in drives
4. Willing to work 6 days in week
5. Able to handle regular hiring meetings with business heads and able to share the hiring updates and hiring plans

Date & Time: 5th April , 10 AM onwards

Venue: Plot- 45-47, Tech Mahindra, Gate-1, ITC-4, (Abdul Kalam), KIADB Industrial Area, Electronic city, Phase -2, Bangalore - 560100

Google Map: https://goo.gl/maps/iur43gXzR9F2

==========================================

4. Concentrix Hiring for Tech Support | Direct Walkin

Processes :
1. VMware (Core Technical Voice Process/Excellent English Communication required )
2. Intuit Sales (Tele Sales/Good communication in English and Hindi)
3. iOS (Voice process with Excellent communication in English and Hindi)
4. AisAsia (Airlines/Voice process/Good English Communication)

Any graduate/UG with 6 months experience

Date: 5th, 6th April 2018, 10:00AM On wards

Venue: Concentrix, D4 block, 1st floor, Manyata Embassy Business Park, Nagawara, Bangalore 560045

Google Map: https://goo.gl/maps/S7mZ6kEiKNB2

==========================================

5. CONVERGYS India Services Pvt Ltd Hiring for Technical Support | Direct Walkin

Eligibility:
Graduates/Under Graduates with or without experience with good technical knowledge and good communication skills

Walk-in Timin 1pm 5 pm

Contact Person: SABA- 9886210024

Date : 5th to 6th April

Venue : Convergys Divyasree Towers, #55, BTM layout 1st stage, Opposite Jayadeva hospital, Bannerghata Main Road, Bengaluru, Karnataka 560076

Mention "SABA" on top of the CV Meet SABA

Google Map: https://goo.gl/maps/X1V1XExtEn12

=========================================

6. Groupon Hiring for Customer Service Reps | Direct Walkin

Minimum Experience: Fresher - 2013, 2014, 2015, 2016,2017 / 0 - 3.5 Years experience

Skills and Qualification:
Previous professional experience in a customer service capacity, preferably in a high volume, transactional environment Strong written and verbal communication skills
Skilled and eloquent in writing.
Strong communication and interpersonal skills.
Ability to work under pressure and adapt quickly to adverse situations.
Experience in e-commerce or back office environment will be an added advantage
Comfort in a computer based role for up to 8 hours a day
Ability to work in any shift based on business needs.

Walk-In Drive - 5th April to 11th April 2018(Sat and Sunday Off)

Walk-In Timin 9:30 AM to 11:30 AM (Kindly walk-in only at scheduled time)

Venue: Gopalan Global Axis (IT SEZ) - 2nd Floor, G-Block, Road 9, KIADB Export Promotion Area, Whitefield, Opp Satya Sai Hospital, Bengaluru 560066

Contact Person: Prakash - TA Team (HR)

Google Map: https://goo.gl/maps/DF9ZfJKPp5U2

=======================================

7. Mphasis Hiring for non Voice Process | Direct Walkin

Minimum Qualification:Graduation(No BE, No B tech, No MCA)

Typing Skills Required
Microsoft (Excel, Word, PowerPoint)
Good oral and written communication skills
Candidate should be willing to work for the night shift.
Candidate should have the knowledge of Capital Market
Candidate should be willing to join us Immediately.
Candidate should have the passport.

Date: 5th to 6th April 2018

Time: 11 AM to 2 PM

Venue: Mphasis Ltd, 4th Floor, WTC 4, Block A, Bagmane World Technology Center, WTC 4, KR Puram, Marathahalli Outer Ring Road, Mahadevapura, Bangalore 560 048, India

Contact: Arunima Rai (India .T +91 80 67505257 | arunima.rai@mphasis.com)

Google Map: https://goo.gl/maps/FxjW7dECr4m

=======================================

2018-04-03

Today Walkins 4th April 2018

Pole To Win Hiring for Software Testing, Game Testing, Customer Support | Direct Walkin

Exp: Freshers / Experienced

Skills:
Excellent verbal and written communication skill
Be good in logical, analytical and reasoning skill
Possess strong gaming skills
Well versed in Manual Testing concepts, Gaming Platforms and Basic Computers.

Date: 4th April to 30th April 2018 (Monday To Saturday)

Time: 10:00AM to 1:00PM

Venue: Pole to win international, fortune summit, 4th floor, Roopena Agrahara, Hosur Road, Bangalore, 560068

*/7\
==========================================

Time Analytic & Shared Services Pvt. Ltd. Hiring for Associate Analyst | Direct Walkin

**MBA Candidates Must Attend**

Job Requirement:
Fresher or under 1year of Work Ex either in Analytics, Retail
Preferably an MBA from a reputed college
Good grades in their Under Grads and Grads.
Good Communication skills
Excellent in Excel Basics Macros is not important.
Strong Analytical and Logical skills.
Basic knowledge of Supply Chain concepts would be an added advantage

Date: 4th April 2018

Time: 2:00PM to 3:00PM

Venue:Time Analytic & Shared Services Pvt. Ltd., RMZ Ecoworld, Plot C1, Campus 8A, 5th Floor, ORR, Bellandur, Varthur Hobli, Bengaluru - 560103, Karnataka, India

Contact: Priya Ajwani

Google Map: https://goo.gl/maps/sPACvYxHo5K2

==========================================

4. CIEL HR Services Hiring for Product Support Engineer | Direct Walkin

ROLES AND RESPONSIBILITIES-
Taking ownership of customer issues reported and seeing problems through to resolution
Researching, diagnosing, troubleshooting and identifying solutions to resolve system issues
Following standard procedures for proper escalation of unresolved issues to the appropriate internal teams
Diagnose and troubleshoot software and hardware problems
Properly escalate unresolved issues to appropriate internal teams (e.g. software developers)
Prioritize and manage several open issues at one time

SKILLS REQUIRED
Basic knowledge on Cloud platform, added advantage if Cloud certification
Should be comfortable to do Night Shift
Good to have knowledge in Microsoft Azure.

Date: 4th April 2018

Time: 3PM to 5 PM

Venue: CIEL HR Services Pvt Ltd, No. 646, 2nd Floor, 27th Main Road, HSR Layout, Sector 1, Bengaluru, Karnataka 560102

Google Map: https://goo.gl/maps/YR4YDPR9jiJ2


==========================================

CONVERGYS India Services Pvt Ltd Hiring for Technical Support | Direct Walkin

Eligibility:
Graduates/Under Graduates with or without experience with good technical knowledge and good communication skills

Walk-in Timin 1pm 5 pm

Contact Person: SABA- 9886210024

Date : 4th to 6th April

Venue : Convergys Divyasree Towers, #55, BTM layout 1st stage, Opposite Jayadeva hospital, Bannerghata Main Road, Bengaluru, Karnataka 560076

Mention "SABA" on top of the CV Meet SABA

Google Map: https://goo.gl/maps/X1V1XExtEn12


=========================================

Artech Infosystems Pvt. Ltd. Hiring for HR Operations - Talent Management System | Direct Walkin

Educational Qualification: - Bachelor degree

Experience: 0 to 1 year

Job Description:
Sending introduction email to new hires (W2/Subtier) and making an introductory/Welcome call explaining the various policies and procedures
Sending introduction email to new hires (W2/Subtier) and making an introductory/Welcome call explaining the various policies and procedures
Follow up with consultants regarding their Missing Timecards via telephone and email as required and to make sure all the consultants are paid on time.
Maintain database for clients and consultants and Responsible for Sub contracting paperwork.
Coordinate the resolution of consultants (W2/Subtier) Expense Reimbursement/Payroll/Invoicing issues with Finance, utilizing the defined process and procedures.
Responsible for Counselling of consultants in case of client escalations and issues
Responsible for the coordination of all Consultants Terminations, to include Notification, Asset Return and Backfill advertisement.
Must be an exceptional communicator via both telephone and email.
Must be a People Person who wants to speak with and assist many people on a daily basis

Nice to have Skills:- MS Office-excel, word

Date of the interview - 4th April 2018

Timing - 12.30 PM

Venue: Artech Infosystems Pvt Ltd Plot No. 76 - 77, Cyber Park, Block B, 1st Floor, Electronic city Phase I, Doddathogur Village, Hosur Road, Bangalore-560100

Contact Person: Roshan - 8310309783

Google Map: https://goo.gl/maps/XxQCTHHKZPD2


=========================================

7. Allsec Technologies Ltd. Hiring for Voice Process | Direct Walkin

Day Shift
Outbound Voice Process
Good communication in English
Fluent in Kannada or Tamil or Malayalam or Telugu

Qualification: Any Graduation

PLEASE schedule your interviews with HR Vanishri 9880001331 before walk-in-in for interviews.

#Mention HR Vanishri on top of your resume to identify source.

Interview Date: 4th April 2018

Interview Timin 11.00 AM to 5.00 PM

Venue: Allsec Technologies Ltd. 45/7, 3rd Floor, Vinayaka Complex, Residency Cross Road, Bangalore 25

(Near Mayo Hall Bust Stop at Residency Cross Road)

Google Map: https://goo.gl/maps/FzCbALwi3jA2

========================================

8. Groupon Hiring for Customer Service Reps | Direct Walkin

Minimum Experience: Fresher - 2013, 2014, 2015, 2016,2017 / 0 - 3.5 Years experience

Skills and Qualification:
Previous professional experience in a customer service capacity, preferably in a high volume, transactional environment Strong written and verbal communication skills
Skilled and eloquent in writing.
Strong communication and interpersonal skills.
Ability to work under pressure and adapt quickly to adverse situations.
Experience in e-commerce or back office environment will be an added advantage
Comfort in a computer based role for up to 8 hours a day
Ability to work in any shift based on business needs.

Walk-In Drive - 4th April to 11th April 2018(Sat and Sunday Off)

Walk-In Timin 9:30 AM to 11:30 AM (Kindly walk-in only at scheduled time)

Venue: Gopalan Global Axis (IT SEZ) - 2nd Floor, G-Block, Road 9, KIADB Export Promotion Area, Whitefield, Opp Satya Sai Hospital, Bengaluru 560066

Contact Person: Prakash - TA Team (HR)

Google Map: https://goo.gl/maps/DF9ZfJKPp5U2


=======================================

9. Ionidea Hiring for HR Executive | Direct Walkin

Experience : 0-1 Yrs

Qualification: Only MBA Candidates

Essential Skills:
Very good attitude with enthusiasm and willingness to learn and contribute more.
Excellent communication and interpersonal skills.
Should have the intelligence and maturity to carry out varied tasks and responsibilities.
Strong Time Management and Priority Management skills.

Date: 4th April 2018

Timing : 11:00 AM - 1:00 PM

Venue: Ionidea Interactive Pvt Ltd 38-40 EPIP Zone , Whitefield - 66

Google Map: https://goo.gl/maps/UduSMHYA4H52


=======================================

10. Accenture Hiring for HR Helpdesk (HR Assistant) | Direct Walkin

Criteria :-
Any Graduates or Postgraduates Freshers
Good knowledge of Microsoft applications
Good communication and interpersonal skills
Good organizational skills
Flexibility and teaming skills
Good analytical and problem solving skills
Demonstrated willingness to work in flat team structure and develop a range of HR competences
Understanding of general HR policies, procedures and current best practice
Demonstrated ability to set and meet objectives
Ability to deliver high impact amid complexity, ambiguity and competing priorities

Date: 4th April 2018

Time : 11:00Am- 12:00Pm

Venue: Accenture Bang 3 Tower B Reception, 4/1, IBC Knowledge Park, Bannerghatta Road, Bengaluru, Karnataka 560029

Landmark : Opposite to Fire Station

Contact Person: Greeshma @9886624063

Google Map: https://goo.gl/maps/DxHH1z8aP512

=======================================

11. Mphasis Hiring for non Voice Process | Direct Walkin

Minimum Qualification:Graduation(No BE, No B tech, No MCA)

Typing Skills Required
Microsoft (Excel, Word, PowerPoint)
Good oral and written communication skills
Candidate should be willing to work for the night shift.
Candidate should have the knowledge of Capital Market
Candidate should be willing to join us Immediately.
Candidate should have the passport.

Date: 4th to 6th April 2018

Time: 11 AM to 2 PM

Venue: Mphasis Ltd, 4th Floor, WTC 4, Block A, Bagmane World Technology Center, WTC 4, KR Puram, Marathahalli Outer Ring Road, Mahadevapura, Bangalore 560 048, India

Contact: Arunima Rai (India .T +91 80 67505257 | arunima.rai@mphasis.com)

Google Map: https://goo.gl/maps/FxjW7dECr4m


=======================================

12. First American Hiring for Non Voice profile | Direct Walkin

Eligibility criteri
Graduates (Except B.E/B.Tech) -2016/2017 batch- would like to consider candidates without backlogs or who have cleared backlogs in previous semesters.
Should have good communication and analytical skills.
Must have good learning capabilities,
should have a confident attitude to learn and adapt to process/work requirements.
Should be flexible to work in shifts( morning/Noon/Night) on rotational basis.

NOTE: Carrying Govt. issued ID proof is must.

Date: 4th April 2018

Registration Timing : 9 AM to 12 PM

Venue: Aveda Meta Building, First Floor No. 184, BBMP PID No.82-105-8/1, Old Madras Road, Indira Nagar Bangalore - 560038

Google Map: https://goo.gl/maps/m73gTYJnoAD2


=======================================