Filter Job category
Register here for Free job alert:

Enter your email address:

Delivered by Google.com

Search this blog for Job post

Sunday, June 5, 2011

CTS Recruits freshers - IT & BPO

Cognizant Technology Solutions India Pvt Ltd (www.cognizant.com) 

Cognizant's Combined Campus Freshers Recruitment Drive

Eligibility Criteria for IT :

1. Open only to the students with following degrees
- Category 1: BE / B Tech / ME / M Tech / MCA / M Sc (Computer Science / IT / Software Engg)
- Category 2: B Sc / BCA / M Sc (except Computer Science / IT / Software Engg)
2. Year of graduation: 2011 batch only
3. Consistent First Class (over 60%) in X, XII, UG and PG (if applicable)
4. No outstanding arrears
5. Candidates with degrees through correspondence/ part-time courses are not eligible to apply
6. Good interpersonal, analytical and communication skills

Eligibility Criteria for IT IS :

1. Open only to the students with following degrees
- BSC - Computer Science/Computer Technology/ IT /Maths/Statistics/Electronics and BCA
- MSC - Maths/Statistics/Electronics
2. Year of graduation: 2010 or 2011 batch only
3. Consistent First Class (over 60%) in X, XII, and UG
4. Candidates holding correspondence or part time degrees are not eligible to apply
5. Good interpersonal and excellent communication skills
6. Willingness to work in shifts (including night shifts)
7. Willing to work at any Cognizant location across India

Eligibility Criteria for BPO :


1. Any Arts & Science graduate except BSC – IT/CS, Electronics, Maths & Statistics
2. Hotel Management & MBA graduates are also eligible
3. Year of Graduation: 2010 or 2011 batch only
4. Consistency of 50% in X, XII, and UG
5. Good verbal and excellent communication skills
6. Willingness to work in shifts (including night shifts)

..................................................

How to Apply for this Job ?

IGATE - Freshers 2009 ,2010 passed out

iGATE Patni (www.igatepatni.com) 




Dear ChetanaS,

We would like to publish below job requirement in your ChetanaSforum.com

Freshers Walk-In : 2009 & 2010 Batch Only @ Bangalore

Job Role : IT Helpdesk

Job Code : 21087

Work Location : iGATE Patni, Bangalore

Educational Qualification : 
• Batch 2009 & 2010 (Full time/Regular BSc, B.E/BTech, BCA, B.Com, Diploma(10+2+3), MCA)
• Should possess 50% and above throughout academics.
• Should not have more than 1 year Gap in between their education.

Desired Experience : 0-1 Years

Desired Skills :
• Willing to work in a technical voice process.
• Basic computing skills like Hardware, Applications, Software, Networking support knowledge.
• Willing to work in night shifts only.
• Willing to sign 2 Years Service Agreement with us.
• Must have excellent Oral & Written Communication Skills.

Note: You can mention the reference as 'ChetanaS'.

Walk-In Date : From 6th to 10th June 2011

Walk-In Timings : 3 PM to 5 PM

Walk-In Venue : 
iGATE Patni,
158 - 162 & 165 - 170,
EPIP Phase-2,
Whitefield,
Bangalore - 560 066


Contact Person : Darshana / Greeshma 

Contact Number : +91-80-41041286

What should the candidates bring when they visit our campus :
• One copy of their updated resume
• A printout of this ChetanaS job posting
• One passport size photograph

Thursday, May 26, 2011

C# Interview Questions


Does C# support multiple-inheritance? No.
Who is a protected class-level variable available to? It is available to any sub-class (a class inheriting this class).

Are private class-level variables inherited?
Yes, but they are not accessible. Although they are not visible or accessible via the class interface, they are inherited.

Describe the accessibility modifier “protected internal”.
It is available to classes that are within the same assembly and derived from the specified base class.

What’s the top .NET class that everything is derived from?
System.Object.

What does the term immutable mean?
The data value may not be changed. Note: The variable value may be changed, but the original immutable data value was discarded and a new data value was created in memory.

What’s the difference between System.String and System.Text.StringBuilder classes?
System.String is immutable. System.StringBuilder was designed with the purpose of having a mutable string where a variety of operations can be performed.

What’s the advantage of using System.Text.StringBuilder over System.String?
StringBuilder is more efficient in cases where there is a large amount of string manipulation. Strings are immutable, so each time a string is changed, a new instance in memory is created.

Can you store multiple data types in System.Array?
No.

What’s the difference between the System.Array.CopyTo() and System.Array.Clone()?
The Clone() method returns a new array (a shallow copy) object containing all the elements in the original array. The CopyTo() method copies the elements into another existing array. Both perform a shallow copy. A shallow copy means the contents (each array element) contains references to the same object as the elements in the original array. A deep copy (which neither of these methods performs) would create a new instance of each element's object, resulting in a different, yet identacle object.

How can you sort the elements of the array in descending order?
By calling Sort() and then Reverse() methods.

What’s the .NET collection class that allows an element to be accessed using a unique key?
HashTable.

What class is underneath the SortedList class?
A sorted HashTable.

Will the finally block get executed if an exception has not occurred?
Yes.

What’s the C# syntax to catch any possible exception?
A catch block that catches the exception of type System.Exception. You can also omit the parameter data type in this case and just write catch {}.

Can multiple catch blocks be executed for a single try statement?No. Once the proper catch block processed, control is transferred to the finally block (if there are any).

Explain the three services model commonly know as a three-tier application.
Presentation (UI), Business (logic and underlying code) and Data (from storage or other sources).

Class Questions
What is the syntax to inherit from a class in C#?
Place a colon and then the name of the base class.Example: class MyNewClass : MyBaseClass

Can you prevent your class from being inherited by another class?
Yes. The keyword “sealed” will prevent the class from being inherited.

Can you allow a class to be inherited, but prevent the method from being over-ridden?
Yes. Just leave the class public and make the method sealed.

What’s an abstract class?
A class that cannot be instantiated. An abstract class is a class that must be inherited and have the methods overridden. An abstract class is essentially a blueprint for a class without any implementation.

When do you absolutely have to declare a class as abstract?
1. When the class itself is inherited from an abstract class, but not all base abstract methods have been overridden.
2. When at least one of the methods in the class is abstract.

What is an interface class?
Interfaces, like classes, define a set of properties, methods, and events. But unlike classes, interfaces do not provide implementation. They are implemented by classes, and defined as separate entities from classes.

Why can’t you specify the accessibility modifier for methods inside the interface?
They all must be public, and are therefore public by default.

Can you inherit multiple interfaces?
Yes. .NET does support multiple interfaces.

What happens if you inherit multiple interfaces and they have conflicting method names?
It’s up to you to implement the method inside your own class, so implementation is left entirely up to you. This might cause a problem on a higher-level scale if similarly named methods from different interfaces expect different data, but as far as compiler cares you’re okay. To Do: Investigate

What’s the difference between an interface and abstract class?
In an interface class, all methods are abstract - there is no implementation. In an abstract class some methods can be concrete. In an interface class, no accessibility modifiers are allowed. An abstract class may have accessibility modifiers.

What is the difference between a Struct and a Class?
Structs are value-type variables and are thus saved on the stack, additional overhead but faster retrieval. Another difference is that structs cannot inherit.

Method and Property Questions
What’s the implicit name of the parameter that gets passed into the set method/property of a class?
Value. The data type of the value parameter is defined by whatever data type the property is declared as.

What does the keyword “virtual” declare for a method or property?
The method or property can be overridden.

How is method overriding different from method overloading?
When overriding a method, you change the behavior of the method for the derived class. Overloading a method simply involves having another method with the same name within the class.

Can you declare an override method to be static if the original method is not static?
No. The signature of the virtual method must remain the same. (Note: Only the keyword virtual is changed to keyword override)

What are the different ways a method can be overloaded?
Different parameter data types, different number of parameters, different order of parameters.

If a base class has a number of overloaded constructors, and an inheriting class has a number of overloaded constructors; can you enforce a call from an inherited constructor to a specific base constructor?
Yes, just place a colon, and then keyword base (parameter list to invoke the appropriate constructor) in the overloaded constructor definition inside the inherited class.

Events and Delegates
What’s a delegate?
A delegate object encapsulates a reference to a method.

What’s a multicast delegate?
A delegate that has multiple handlers assigned to it. Each assigned handler (method) is called.

XML Documentation Questions
Is XML case-sensitive?
Yes.

What’s the difference between // comments, /* */ comments and /// comments?
Single-line comments, multi-line comments, and XML documentation comments.

How do you generate documentation from the C# file commented properly with a command-line compiler?
Compile it with the /doc switch.

Debugging and Testing Questions
What debugging tools come with the .NET SDK?
1. CorDBG – command-line debugger. To use CorDbg, you must compile the original C# file using the /debug switch.
2. DbgCLR – graphic debugger. Visual Studio .NET uses the DbgCLR.

What does assert() method do?
In debug compilation, assert takes in a Boolean condition as a parameter, and shows the error dialog if the condition is false. The program proceeds without any interruption if the condition is true.

What’s the difference between the Debug class and Trace class?
Documentation looks the same. Use Debug class for debug builds, use Trace class for both debug and release builds.

Why are there five tracing levels in System.Diagnostics.TraceSwitcher?
The tracing dumps can be quite verbose. For applications that are constantly running you run the risk of overloading the machine and the hard drive. Five levels range from None to Verbose, allowing you to fine-tune the tracing activities.

Where is the output of TextWriterTraceListener redirected?
To the Console or a text file depending on the parameter passed to the constructor.

How do you debug an ASP.NET Web application?
Attach the aspnet_wp.exe process to the DbgClr debugger.

What are three test cases you should go through in unit testing?
1. Positive test cases (correct data, correct output).
2. Negative test cases (broken or missing data, proper handling).
3. Exception test cases (exceptions are thrown and caught properly).

Can you change the value of a variable while debugging a C# application?
Yes. If you are debugging via Visual Studio.NET, just go to Immediate window.

ADO.NET and Database Questions
What is the role of the DataReader class in ADO.NET connections?
It returns a read-only, forward-only rowset from the data source. A DataReader provides fast access when a forward-only sequential read is needed.

What are advantages and disadvantages of Microsoft-provided data provider classes in ADO.NET?
SQLServer.NET data provider is high-speed and robust, but requires SQL Server license purchased from Microsoft. OLE-DB.NET is universal for accessing other sources, like Oracle, DB2, Microsoft Access and Informix. OLE-DB.NET is a .NET layer on top of the OLE layer, so it’s not as fastest and efficient as SqlServer.NET.

What is the wildcard character in SQL?
Let’s say you want to query database with LIKE for all employees whose name starts with La. The wildcard character is %, the proper query with LIKE would involve ‘La%’.

Explain ACID rule of thumb for transactions.
A transaction must be
:1. Atomic - it is one unit of work and does not dependent on previous and following transactions.
2. Consistent - data is either committed or roll back, no “in-between” case where something has been updated and something hasn’t.
3. Isolated - no transaction sees the intermediate results of the current transaction).
4. Durable - the values persist if the data had been committed even if the system crashes right after.

What connections does Microsoft SQL Server support?
Windows Authentication (via Active Directory) and SQL Server authentication (via Microsoft SQL Server username and password).

Between Windows Authentication and SQL Server Authentication, which one is trusted and which one is untrusted?
Windows Authentication is trusted because the username and password are checked with the Active Directory, the SQL Server authentication is untrusted, since SQL Server is the only verifier participating in the transaction.

What does the Initial Catalog parameter define in the connection string?
The database name to connect to.

What does the Dispose method do with the connection object?
Deletes it from the memory.To Do: answer better. The current answer is not entirely correct.

What is a pre-requisite for connection pooling?
Multiple processes must agree that they will share the same connection, where every parameter is the same, including the security settings. The connection string must be identical.

Assembly Questions
How is the DLL Hell problem solved in .NET?
Assembly versioning allows the application to specify not only the library it needs to run (which was available under Win32), but also the version of the assembly.

What are the ways to deploy an assembly?
An MSI installer, a CAB archive, and XCOPY command.

What is a satellite assembly?
When you write a multilingual or multi-cultural application in .NET, and want to distribute the core application separately from the localized modules, the localized assemblies that modify the core application are called satellite assemblies.

What namespaces are necessary to create a localized application?
System.Globalization and System.Resources.

What is the smallest unit of execution in .NET?
an Assembly.

When should you call the garbage collector in .NET?
As a good rule, you should not call the garbage collector. However, you could call the garbage collector when you are done using a large object (or set of objects) to force the garbage collector to dispose of those very large objects from memory. However, this is usually not a good practice.

How do you convert a value-type to a reference-type?
Use Boxing.

What happens in memory when you Box and Unbox a value-type?
Boxing converts a value-type to a reference-type, thus storing the object on the heap. Unboxing converts a reference-type to a value-type, thus storing the value on the stack.

Dot Net Interview Questions


What’s the advantage of using System.Text.StringBuilder over System.String?
StringBuilder is more efficient in the cases, where a lot of manipulation is done to the text. Strings are immutable, so each time it’s being operated on, a new instance is created.

Can you store multiple data types in System.Array?
No.

What’s the difference between the System.Array.CopyTo() and System.Array.Clone()?
The first one performs a deep copy of the array, the second one is shallow.

How can you sort the elements of the array in descending order?
By calling Sort() and then Reverse() methods.

What’s the .NET datatype that allows the retrieval of data by a unique key?
HashTable.

What’s class SortedList underneath?
A sorted HashTable.

Will finally block get executed if the exception had not occurred?
Yes.

What’s the C# equivalent of C++ catch (…), which was a catch-all statement for any possible exception?
A catch block that catches the exception of type System.Exception. You can also omit the parameter data type in this case and just write catch {}.

Can multiple catch blocks be executed?
No, once the proper catch code fires off, the control is transferred to the finally block (if there are any), and then whatever follows the finally block.

Why is it a bad idea to throw your own exceptions?
Well, if at that point you know that an error has occurred, then why not write the proper code to handle that error instead of passing a new Exception object to the catch block? Throwing your own exceptions signifies some design flaws in the project.

What’s a delegate?
A delegate object encapsulates a reference to a method. In C++ they were referred to as function pointers.

What’s a multicast delegate?
It’s a delegate that points to and eventually fires off several methods.

How’s the DLL Hell problem solved in .NET?
Assembly versioning allows the application to specify not only the library it needs to run (which was available under Win32), but also the version of the assembly.

What are the ways to deploy an assembly?
An MSI installer, a CAB archive, and XCOPY command.

What’s a satellite assembly?
When you write a multilingual or multi-cultural application in .NET, and want to distribute the core application separately from the localized modules, the localized assemblies that modify the core application are called satellite assemblies.

What namespaces are necessary to create a localized application?
System.Globalization, System.Resources.

What’s the difference between and XML documentation tag?
Single line code example and multiple-line code example.

Is XML case-sensitive?
Yes, so and are different elements.

What debugging tools come with the .NET SDK?
CorDBG – command-line debugger, and DbgCLR – graphic debugger. Visual Studio .NET uses the DbgCLR. To use CorDbg, you must compile the original C# file using the /debug switch.

What does the This window show in the debugger?
It points to the object that’s pointed to by this reference. Object’s instance data is shown.

What does assert() do?
In debug compilation, assert takes in a Boolean condition as a parameter, and shows the error dialog if the condition is false. The program proceeds without any interruption if the condition is true.

What’s the difference between the Debug class and Trace class?
Documentation looks the same. Use Debug class for debug builds, use Trace class for both debug and release builds.

Why are there five tracing levels in System.Diagnostics.TraceSwitcher?
The tracing dumps can be quite verbose and for some applications that are constantly running you run the risk of overloading the machine and the hard drive there. Five levels range from None to Verbose, allowing to fine-tune the tracing activities.

Where is the output of TextWriterTraceListener redirected?
To the Console or a text file depending on the parameter passed to the constructor.

How do you debug an ASP.NET Web application?
Attach the aspnet_wp.exe process to the DbgClr debugger.

What are three test cases you should go through in unit testing?
Positive test cases (correct data, correct output), negative test cases (broken or missing data, proper handling), exception test cases (exceptions are thrown and caught properly).

Can you change the value of a variable while debugging a C# application?
Yes, if you are debugging via Visual Studio.NET, just go to Immediate window.

What are advantages and disadvantages of Microsoft-provided data provider classes in ADO.NET?
SQLServer.NET data provider is high-speed and robust, but requires SQL Server license purchased from Microsoft. OLE-DB.NET is universal for accessing other sources, like Oracle, DB2, Microsoft Access and Informix, but it’s a .NET layer on top of OLE layer, so not the fastest thing in the world. ODBC.NET is a deprecated layer provided for backward compatibility to ODBC engines.

What’s the role of the DataReader class in ADO.NET connections?
It returns a read-only dataset from the data source when the command is executed.

What is the wildcard character in SQL?
Let’s say you want to query database with LIKE for all employees whose name starts with La. The wildcard character is %, the proper query with LIKE would involve ‘La%’.

Why would you use untrusted verificaion?
Web Services might use it, as well as non-Windows applications.

What’s the data provider name to connect to Access database?
Microsoft.Access.

What does Dispose method do with the connection object?
Deletes it from the memory.

What is a pre-requisite for connection pooling?
Multiple processes must agree that they will share the same connection, where every parameter is the same, including the security settings.

Tuesday, May 17, 2011

Senior Software Marketing Exec

Experience:
2 - 5 Years
Compensation:
Industry Type:
Role:
Corp. Communication Exec.
Location:
Chennai
Education:
UG - Any Graduate - Any Specialization PG - Any PG Course - Any Specialization
Functional Area:
Marketing / Advertising / MR / PR
Openings:
3
Posted On:
15th Apr 2011
Company Profile
Symbioun Wholly Owned Subsidiary of Droisys Inc is a software product engineering service provider with a successful track record of over 5 years. We build software products for Startups, established Independent Software Vendors (ISVs), and Fortune 1
Desired Candidate Profile

EDUCATION AND REQUIRED SKILLS:bull; BE/Bsc/MCA/B.com/Graduate in any discipline or related field.bull; Years of experience in solid understanding of marketing communications.bull; Experience in technology industry; higher education experience a plus.
Job Description

Develop presentation of research findings in the form of reports and PPT presentations. Strong analytical, planning, forecasting and research skills. Experience in creating and sending Informative newsletter, promotional offer. Ability to broader ma

Impressive Painting




 

Bajaj Allianz Life Insurance Co Ltd (www.bajajallianzlife.co.in)



A Company with a Difference!! We are the market leaders amongst the private sector Insurance Sector. 1.New Business Premium: Third largest in Private Life Insurance Sector. 2.Number of Policies Issued: 851,070 3.No of policies in this year – Second amongst all private sector players. Widest Distribution Network : 1.Number of Agents : 179,553 agents across the country 2.Number of Branches : 1,167 3.200 corporate agents & 31 Banc assurance 

IT Trainee - Fresher

Job Position : Software Developer

Job Location : Coimbatore, Tamilnadu

No. of Openings : 10

Desired Education : B.Sc Computers / B.Tech / B.E / BCA / Diploma

Desired Experience : 0 to 1 Year

Mandatory Skills : Oracle PL/ SQL, Oracle Forms & Reports (9i and above), Tools – TOAD, J2EE

Job Description :
• The key responsibilities include requirement analysis, design, development, testing, implementation, maintenance and necessary documentation for enterprise business applications. Also all the responsibilities are to be executed with all the applicable process defined

 



Monday, May 16, 2011

Empress Cybernetic Systems (P) Limited (www.empresscyber.com)



We are global providers of s/w solutions, products, and IT consulting with oprations in USA & in Kerala. Our services include Digital Asset Management, Custom software & product dev. to US clients like BMW, MINI Cooper, Colgate, Stanley Works etc.

Software Test Engineers

Job Position : Testing Engineer

Job Category : IT / Software

Job Location : Ernakulam / Kochi / Cochin

No. of Openings : 2

Desired Experience : 0 to 5 Years

Job Description :
• Looking for software test engineers to create and execute test cases, perform tests, log and track issues.
• Communicate the status of tasks & issues with the project team.
• Work with dev team to deliver quality software products and services.

Desired Profile :
• Involve in providing tech support to customers, identify their issues.
• Identify functional and techical requirements, work with dev team and business analysts.
• Good tech. and comm skills
• Web based or Windows based app experience in asp.net, SQL C# is plus.

Tuesday, April 26, 2011

Simple Resume Format

Sunday, April 24, 2011

Infosys Technologies Limited (www.infosys.com)


Freshers Off-Campus : BE / B.Tech / ME / M.Tech / MCA / M.Sc : 2011 Passout @ All India

We are hiring Freshers for the role of Systems Engineer who have a passion to work and excel in a dynamic environment.

Eligibility Criteria :
• BE / B.Tech / ME / M.Tech / MCA / MSc (Computer Science / Electronics / Mathematics / Physics / Statistics / Information Technology / Information Science) only
• Candidates must have a consistently excellent academic track record.
• Only Candidates who are graduating in the year 2011 are eligible to apply.
• Candidates should not have participated in the Infosys selection process in the last 9 months.

Please note that the resume should mandatorily carry date of birth, e-mail id, complete academic details starting from std. 10 / 12 / Graduation / Post graduation along with Year of passing, simple average aggregate Percentages/CGPA, Board / University.

Also, mention the preferred location of test center in the subject line (Bangalore / Chennai / Delhi / Hyderabad / Kolkata / Mumbai / Pune / Trivandrum).

You can mail the resumes to freshers2011 (at) infosys (dot) com on or before April 15, 2011. 

Only short listed candidates will be directly informed via e-mail about the selection process. 

Thanks & Regards,
HRD - Talent Acquisition

MphasiS is recruiting Graduates passed out in 2009/2010

MphasiS (www.mphasis.com)

Freshers : MphasiS is recruiting Graduates passed out in 2009/2010 @ All India


Carpel Consulting Services (www.carpeltechnologies.com)

Carpel is one of the fastest growing HR Firm in Chennai.

Freshers 2010 / 2011 Batch (Post Graduates)

Job Description :
• Hiring for entry level positions.
• MA, M.Com, MBA, MCA, M.Sc 2010, 2011 batch can apply.

Desired Skills :
• Only post Graduates.
• Must be passed in 2010 or 2011 batch.
• Only PG candidates need to apply.

Job Location : Chennai

Desired Experience : 0-1 Years

 

Saturday, March 12, 2011

Mu Sigma (www.mu-sigma.com)


Role (Designation) :    Business Analyst
Experience :    0 to 1 years
Company :    Mu Sigma
Company Website :    http://www.mu-sigma.com/

Work Location
 : Bangalore

Designation
 : Business Analyst

Educational Qualifications
 : All 2010 BE / B Tech candidates with 60 % and above in their degree
( Preferably from Computer Science , IT, ECE, EEE )

CTC
 : 3.3 Lakhs



Key responsibilities of the role:
   
  • Communicate effectively with client/onsite personnel and document understanding and action items from meetings
  • Assist in delivering well organized reports, dashboards, data analysis and statistical models
  • Ensure error-free and high-quality outputs to the client / manager
  • Documents work effectively to ensure that the manager / client are comfortable with both work-in process and end deliverables.
  • Actively gathers and shares domain related knowledge in forums within the organization
  • Manages his / her time well  to contribute to at least one organization initiative

For more details about the company please  visit into www.mu-sigma.com

Venue : Bangalore

The exact location and date/time will be intimated to the shortlisted candidates by the Mu Sigma HR.


Infopro Technologies Recruits Freshers


(www.infoprotechnologies.com) 

Walk-In : SAP @ Hyderabad
Job Position : SAP

Job Category : 
IT / Software

Job Location : 
Hyderabad, Andhra Pradesh
\
Desired Qualification : 
 
BE / B.Tech / MCA / MBA / Any Graduate 
• Candidates should have graduated in the year 2009 or 2010 
• A consistent academic performance of 55% & above.
• Only 1 year gap is allowed in between courses.

Desired Experience : 
0-1 Years 

Technology : 
SAP - ABAP/MM/SD/FICO

Desired Skills :
• Knowledge / 0-1 Years of Experience in SAP is preferred, but not mandatory.

Compensation :
• Selected Candidates will be offered salary of Rs.1.8 LPA TO 2.8 LPA.
• They will be put through initial training of 3 months and will be confirmed only after successful completion of the training.

Candidates need to carry following documents (Original + 1 Xerox copy) at the time of Test / interview.

Mandatory Documents :
• Hard copy of Resume.
• A printout of this ChetanaS job posting
• Mark sheets and Certificates of 10th and 12th. (Original + 1 Xerox copy)
• Mark Sheets (All Semester) and Degree certificates of Graduation and Post Graduation. (Original + 1 Xerox copy)
• Passport or Receipt of Passport application.
• 3 Photographs.

Walk-In Date : 
On 12th March 2011 (Saturday) : Before 10.30 AM
Walk-In Venue : 
Infopro,
#1-98/7/B/13/A/8, Cyber View Towers, 2nd Floor, 
Vital Rao Nagar, Near Euro Public School, Madhapur,
Hyderabad - 500084

Contact Person : Murthy.VS (HR)
Contact Number : +91-40-64506406, +91-40-64506407

Thursday, January 27, 2011

HCL Technologies Limited (www.hcltech.com)



HCL Technologies is a leading global IT services company, working with clients in the areas that impact and redefine the core of their businesses. Since its inception into the global landscape after its IPO in 1999, HCL focuses on 'transformational outsourcing', underlined by innovation and value creation, and offers integrated portfolio of services including software-led IT solutions, remote infrastructure management, engineering and R&D services and BPO. HCL leverages its extensive global offshore infrastructure and network of offices in 26 countries to provide holistic, multi-service delivery in key industry verticals including Financial Services, Manufacturing, Consumer Services, Public Services and Healthcare. HCL takes pride in its philosophy of 'Employees First' which empowers our 70,218 transformers to create a real value for the customers. HCL Technologies, along with its subsidiaries, had consolidated revenues of US$ 2.9 billion (Rs. 13,145 crores), as on 30th September 2010 (on LTM basis).

HCL is a $5.3 billion leading global technology and IT enterprise comprising two companies listed in India - HCL Technologies and HCL Infosystems. Founded in 1976, HCL is one of India's original IT garage start-ups. A pioneer of modern computing, HCL is a global transformational enterprise today. Its range of offerings includes product engineering, custom & package applications, BPO, IT infrastructure services, IT hardware, systems integration, and distribution of information and communications technology (ICT) products across a wide range of focused industry verticals. The HCL team consists of over 71,000 professionals of diverse nationalities, who operate from 29 countries including over 500 points of presence in India. HCL has partnerships with several leading Global 1000 firms, including leading IT and technology firms. For more information, please visit www.hcl.com

Experienced Walk-In : Java Testing with experience in Java @ Chennai

Job Location : Chennai, Tamilnadu

Desired Education : BE / B.Tech, ME/ M.Tech (CSE/ECE/IT/EEE/S/W) & MCA

Desired Experience : 12 to 30 Months (Mandatory)

Job Description :
• Excellent Opportunity to Get your Dream Job at HCL Tech Chennai.
• Java Developers & testers Interested to take up their career in Testing can walk in on Saturday at Chennai.

Desired Profile :
We are looking for aspiring Candidates willing to excel their career in testing.

Skill Set :
• Excellent Aptitude & Problem Solving Skills
• Good Exposure in Java programming
• Ability to write programmes / Logics
• Flair to Learn Technologies
• Interest to take up career in Testing
• Good Communication

Walk-In Date : On 29th January 2011 (Saturday) : 8:30 AM - 11 AM

Venue :
HCL Technologies Ltd,
184, NSK Salai
Vadapalani
Chennai
Landmark : Opp to Kamala Theater

Contact Person : Jayakumar

Must Carry :
1. Two Copies of Resume
2. One Pass port Size Photgraph
3. Degree Certificate / Exp certificate Copies
4. License / Pan card / Pass port / Election ID Copy

Pls Note :
* Freshers Pls do not Attend this Walk in
* Candidates with Non Development / Testing Back ground Please do not Attend

Robert Bosch Engineering and Business Solutions Limited

Robert Bosch Engineering and Business Solutions Limited (www.boschindia.com/rbei)

Robert Bosch Engineering and Business Solutions Limited (RBEI) is a 100% owned subsidiary of Robert Bosch GmbH. We provide engineering, IT and business services for the automotive, industrial, consumer goods and building technology divisions of the Bosch group worldwide. We offer services - such as ECU development, Process Consulting, Mechanical and Electronic Engineering, VLSI Services, Shared Services in Accounting and Business Processes, Translation / Documentation and E-Learning. We are ISO 9001:2000 and ISO 27001 certified and appraised at CMMI Level 5. We have three development centers located in Bangalore and one in Coimbatore.. RBEI is the software division of Bosch in India, and with over 6500+ associates, it is the largest development center of Bosch outside Germany. For over (15) years now, it has been the preferred engineering services and solutions partner for the Bosch Group worldwide. We offer our customers the capability to build quick and reliable solutions that can support their needs. Our experience for more-than-a-decade in software development, established quality processes and a proven, state-of-the-art offshore development center at Bangalore enables us to reach this objective.

Freshers : Off-Campus : BE / B.Tech / MCA / M.Sc : 2010 Passout @ Bangalore / Coimbatore
We are hiring 2010 Passout freshers from the below mentioned disciplines, if interested please find further details below.

Job Position : Fresher

Job Location(s) : Bangalore / Coimbatore


Desired Qualification :
• Should be 2010 Pass Out Only
• Minimum 70% aggregate is mandatory throughout academics (i.e. 10th, 12th, Graduation).
• From any one of the below discipline.
M.Sc (Electronics)
B.E (Mechatronics)
M.C.A

Desired Experience : 0 Years

Please Note :
• Your resume should include your percentage obtained during education.



RSS and Search

Related Posts with Thumbnails