Tuesday 29 October 2013

RRC South Eastern Railway Recruitment



RRC South Eastern Railway Recruitment
Railway Recruitment Cell ,Kolkata has advertised a notification 3136 posts for Trackman,Helper & Other various posts.Eligible candidates can apply through the online before 25-11-2013.More details about of the application and qualification,age limit,selection and  processing details are given bellow...


Details of RRC Vacancies :

Total number of vacancies:3136

Name of the Posts:
1.Pointsman-B  104 Posts
2.Trackman : 1343 Posts
3.Helper-II 1498 Posts
4.Safaiwala 96 Posts

Education Qualification: Candidate should be completed 10th or equivalent.

Age Limit: Candidate age should be greater than 18 and bellow 33 years.

Selection process:Candidates will be selected based on their performance and written examination fallowed by Physical Efficiency Test.

Application Fee: Candidates have to pay the application fees Rs.100/

How to Apply:Eligible candidates can send the application in prescribed format.

Last Date for sending  the Application: 25-11-2013

Last Date for Submission of Application for Far Flung Areas:10-12-2013

Fore more Details click the fallowing link

Click here for Recruitment Advt&Application Form
Read More

Monday 28 October 2013

Importance of the hashCode() method in java:


 Importance of the hashCode() method in java:
More frequently used in hashCode() method in design patterns.In interview point of view mostly asked question is hashCode() method and its importance.Now we will see the hashCode() method and its working.

hashCode() method:
--->If we want to use a class object as a key in a hashing collection of java then that class must be override hashCode() method and equals() method.
--->hashCode() method belongs to java.lang.Object class
--->if we don't override a hashCode() method in a class then Object class hashCode() method will be called.It will returns the memory address of an object in the form of an integer.
--->wrapper classes and string classes of java are already overriden a hashCode() method and equals() method. So we can use these class object as key in collections.
Some important points to remember with respect to hashCode() method
i)If two references are referring same object then always their hash Code's are equal.---->true
example:
    String s1="Aa";
    String s2=s1;
     s1==s2 ------>true
     s1.hashCode()=2112
     s2 .hashCode()=2112
So if two references are refer same object then their hash Codes are equal.
we can find the hashCode of a  string by using the fallowing formula.
     String=number format 1st character*31 pow(n-1)+number format of 2nd character *31 pow(n-2)
     Aa=65*31 pow(2-1)+97*31 pow(2-2)
          =65*31+97*1  
          =2015+97
          =2112

ii)If two hash Codes are equal then they are referring one Object                              ----->false.
example: 
     String s1="Aa"
     String s2="Aa"
   s1==s2     ---false
    s1.hashCode()=2112
    s2.hashCode()=2112
above example hasCodes are equal but they are referring two different objects.

iii)If two objects are meaningfully equal then they are hash Code's are equal(by force)----->true
    
-->when we are creating  user defined class the it is our responsibility  to override hashCode() method and equals() method.

example:
     class Demo
      {
           private int x;
            public Demo(int x)
             {
                this.x=x;
               }
            @Override
               public boolean equals(Object o)
                {
                 if(o instanceof Demo&&(((Demo).x)==this.x))
                 {
                    return true;
                      }
                  else
                   {
                       return false;
                       }
                   }
            @Override
                   public int hashCode()
                    {
                      return x+50;
                     }
                }
               class Main
                {
                  public static void main(String args[])
                   {
                      Demo d1=new Demo(20);
                      Demo d2=new Demo(20);
                          if(d1==d2)
                           {
                             System.out.println("d1 and d2 are identically equal");
                            }
                            if(d1.equals(d2))
                            {
                           System.out.println("d1 and d2 are meaningfully equal");
                            }
                        System.out.println("d1.hashCode()");
                         System.out.println("d2.hashCode()");
                      }
                   }
output:
    d1 and d2 are meaningfully equal
    70
    70

Difference between the hashCode()  method and equals() method?
ans:
---> both methods are overriden ,when an object of a class wants to be used as a key in a collection.
--->To store the data in a hash bucket hashCode() method will be called.But to read the data from a hash bucket first  hashCode() method will be called and the equals()method is called.

             
Read More

Sunday 27 October 2013

In interview point of view important questions in java:



In interview point of view important questions in java:
In java mostly asked questions are based on the some methods in java.Some important methods are like toString()method,equals()method and hashCode()methods and their differences.Now we are going to see these methods and their importance.

1.toString() method:
ans:
-->generally toString() method is overriden in a class,to read an object's in a text format.
--->when we pass a java class object as parameter to the System.out.println statement internally toString() method of the object will be called.
--->if class doesn't override a toString() method then toString() method of the java.lang.Object class will be called.
--->toString() method of java.lang.Object class will return like the fallowing
       Class name@unsigned hexadecimal format of the object's hashCode.
for example:
     public class Demo
     {
        private  int x;
        public Demo(int x)
         {
           this.x=x;
          }

        public static void main(String args[])
         {
             Demo  d=new Demo(10);
              System.out.println(d):
           }
      }
-->in this above example we can not override the toString() method.So Object class toString() method will be called.we are getting the output as like the fallowing
output:
Demo@3e25a25
-->But we are override the toString()method in our program we can get the correct result.
example:
public class Demo
{
   private int x;
   public void Demo()
    {
      this.x=x;
     }
      public String toString()
      {
        return x="+x;
       }
   public static void main(String args[])
    {
       Demo d=new Demo(10);
     System.out.println(d);
    }
}
output: x=10

2.equals() method:
ans:
---->In java to compare two Objects like the fallowing.
     i) == operator for identical comparison
     ii)equals() method for meaningfully comparison.
--->The operator == returns true then two objects references are referring same object.Other wise it referring two different objects.
--->The operator equals() method returns true ,if the values are meaningfully equal other wise they are not equal.
--->if equals() method is not overriden in a class then the java.lang. Object class equals() method will be called.
-->equals()method  of object class internally calls == operator for comparing two objects.So there is no difference between the ==operator and equals() method of Object class.
example:
Note:For the wrapper classes Boolean,Integer,Short,Byte,Character.if the values of the objects are same then jvm creates only one Object.
example:
Integer i1=120;
Integer i2=120;
 i1==i2 ------>true
i1.equals(i2) ----->true

Integer i1=250;
Integer i2=250;
i1==i2 ---->false
i1.equals(i2) --->true

--->if the wrapper class range is exceeded then  two objects are created other wise it one object is created.
example:
class Main
{
  public static void main(String args[])
   {
     Integer i1=120;
     Integer i2=120;
    if(i1==i2)
   {
     System.out.println("i1 and i2 are identically equal");
    }
    if(i1.equals(i2))
    {
      System.out.println("i1 and i2 are meaningfully equal");
     }
     Integer i3=250;
     Integer i4=250;
     if(i3==i4)
     {
       System.out.println("i3 and i4are identically equal");
       }
      if(i3.equals(i4))
      {
         System.out.println("i3 and i4 are meaning fully equal");
      }
  }
}
out put: 
  i1 and i2 are identically equal
  i1 and i2 are meaning fully equal
 i1 and i2 are meaning fully equal
   

Read More

Saturday 26 October 2013

NKGSB Cooperative Bank Recruitment 2013


NKGSB Cooperative Bank Recruitment 2013

NKGSB Co-Operative Bank rescue the notification for clerical jobs.Candidate age should be grater than 18 and less than 28 years.Who are apply these jobs they are  must complete graduation or post graduation to the recognized  university.Eligible candidates can apply these posts before 31-10-2013.who want to get more details about the job notification and application details through the online www.nkgsb-bank.com.Fore more details like important dates,selection process are given bellow...

Organization Name: NKGSB Co-Operative Bank

Official Website: www.nkgsb-bank.com

Total Number of Vacancies:who want get the number of vacancies through the online website.

Job Type: Govt Clerical jobs

Qualification: Graduation/Post Graduation

Application Fees:Candidate must pay Rs.500 chelan form of nkgsb co-operative bank

Age Limit: Candidate age should be greater than 18 and bellow 28 years.

Selection Process:Candidates should be selected based on the written test and personal interview.

Last Date for  Registration Application form: 31-10-2013

Fore more Details click the fallowing link
NKGSB Co-Operative Bank Job Notification
Read More

Friday 25 October 2013

Walk in interview for Freshers 2013 as Project Trainee Engineer


Walk in interview for Freshers 2013 as Project Trainee Engineer

Xchanging company has released a notification for Project Trainee Engineer.2013 pass out candidates can apply these vacancies.Eligible candidates can apply these posts.Eligible criteria and other details like job role,qualification and all the details are given bellow...

Company name: Xchanging

Company Website: www.xchanging.com

Job Role: Project Trainee Engineer

Educational Qualification: BE/B.Tech,MCA

Experience: Fresher 2013

Package: As per Industry Standard

Walk in Date: 27-10-2013

Time: 10.00 am to 12.00 pm

Interview venue:
Xchanging Solutions Limited,
Coconut Grove,#33,18th Main, 1st A Cross,6th Block,
Koramangala, Bangalore 560095

More Details click fallowing link
Source: Click Here
Read More

Wednesday 23 October 2013

Vacancies for Steel Authority of India Limited Bhilai:


Steel Authority of India Limited Bhilai:  In Steel Authority of India limited has invited a vacancies for Electronic OCT in Bhilai. Eligible candidates can apply these posts before 04-11-2013.All the details of the notification are given bellow..

Address: Post Box-16, Sector-01 Post-Office

Postal code: 490001

City: Bhilai

StateChhattisgarh

Salary: Rs. 10,700/-p.m during 1st year and Rs.12,200/-p.m during 2nd year will be paid.

Educational Recruitment: Matriculation with 3 years full time Diploma in Engineering in Electronics from any recognized by state.

Number Of Posts: 65

How to Apply: Eligible candidates can apply through the online www.sail.co.in. Choose "Career with SAIL" and then check under BSP/Bhilai Steel plant and do the fallowing process.

1)valid e-mail id which should remain valid for at least one year.

2)pay in slip for Rs.250 as application and processing..

3)candidate should have latest passport size photograph and as well as photograph of signature.

Age limit: 18-28 years.

Last date: 04-11-2013

Details will be available   here

http://sail.shine.com/media/documents/home/OCT_330_posts-English_Final-290913_upload.pdf
Read More

Randstad India Limited Hiring for DotNet Developer



Randstad India Limited Hiring Dot Net Developer:
Randstad India has released a notification for Dot Net developers.Eligible candidates can apply these posts.

Company Name: Randstad India Limited.

website: http//www.randstad.in /

Job Role: Dot Net Developer

Qualification: BE/B.Tech/MCA

Experience: 0 or 1 Year

Salary: Best in Industry

Work Location:Chennai

Functional Area:Application Programming,Maintenance
 
    APPLY NOW!
Read More

Tuesday 22 October 2013

Catholic Syrian Bank Recruitment 2013



Catholic Syrian Bank Recruitment 2013:
Catholic Syrian Bank has released a new notification for Charted Accountants and ,Officer Posts.Total 100 posts are released. CSB is one of the leading private regional bank in south India.Eligible candidates can apply on before 25-10-2013.Other details of the notification like name of the posts,qualification,age limit are all the details are given bellow..

Number of vacancies:100

   Name of the Post                        Number of Posts

  • Charted Accounts                   10
  • Cost Accountants                    20
  • MBA/PGDM                          40
  • Law Officers                            06
  • IT Officers                               14
  • Agricultural Officer                   10
Qualification:Candidate should have passed either B.Tech/M.Tech/MCA or PG .

Selection process:Candidates should be selected based on their performance.

How to Apply: Eligible candidates can apply through online www.csb.co.in before 25-10-2013.

Last date for submission of the application form: 25-10-2013

For more details click the fallowing links

Read More

Sunday 20 October 2013

UPSC Advt No/15 2013 Apply Online for 73 Assistant Professor Posts:



UPSC Advt No/15 2013 Apply Online for 73 Assistant Professor Posts:
Union Public Service Commission(UPSC) has issued a new notification for the recruitment of various Assistant  professor ,Assistant Director and various posts.Eligible candidates can apply these posts through the online before 31-10-2013.Other details of the these notification are like age limit, qualification,selection process are given bellow.

Details of the vacancies:

 Number of the Posts: 73

Qualification:Candidate should have completed Degree, B.Tech/BE,ME,M.Tech,MBBS,PHD  Medical any one.

Age limit: Candidate age should not be Exceed 55 years.

Selection Process: Candidate should be selected based on the performance.

How to Apply: 

  • Log on to website www.upsconline.nic.in
  • Then find the link UPSC Advt 15/2013 clock on it.
  • Find the details and fill the all the details.
  • And take the printout.
Important Dates:
Starting date for online registration:    12-10-2013
Ending date of the online registration:  31-10-2013

For more details click the fallowing links
Read More

Saturday 19 October 2013

CRPF Recruitment 2013



CRPF Constable Posts-813 in 2013
Central Reserve Police Force  has released a new notification for 813 Constable posts for male and female candidates in Bihar,Bengal,Uttar Pradesh,Uttrakhand,and MadhyaPradesh. Eligible candidates can send application in prescribed format before 11-11-2013 Other details like Qualification,age limit, process of applying are all the details are given bellow....

Number of the Posts: 813

Name of the Post: Constable(Trade&Technical)

Age Limit: Candidate age limit  should be 18-23 years as on 1-1-2014

Education Qualification: candidate should complete Matriculation. ITI diploma certificate in Mechanic motor vehicle.

Selection process: candidates can be selected based on the written test,Trade test,Physical Efficiency and medical tests.

Last date for application form: 11-11-2013.

Name of the posts and central wise posts of each state and number of vacancies of in that states are given in the application form.

Click here for Recruitment Advt& Application Form
Read More

Thursday 17 October 2013

East Coast Railway Recruitment cell 1626 Posts



East Coast Railway Recruitment Cell: East Coast Railway Recruitment Cell(RRC) has announced a new notification for filling the 1626 posts like Trackman,Token Porter,Helper II,Safaiwala posts.who are eligible candidates can apply these posts and fallow the given details and apply before 11-11-2013.RRC Bhubaneswar Group-D Posts details are given bellow..

Vacancy Details

Name of the post: Group-D

Number of posts: 1626
  1. Trackman
  2. Token Porter
  3. Safaiwala
  4. Helper-II
Age Limit: candidate age should be greater than 18 and less than 33

Qualification : 10th Standard or ITI equivalent

Fees: 100/for UR and OBC candidates.

How to Apply:candidate  first download the application form and fill the application form along with necessary documents should be sent the given address.

For More Details we can click the fallowing link

Read More

Important Questions in Hibernate



Important Questions in Hibernate

In real time Hibernate is  called as DAO(Data Access Object).Because Hibernate Only Provide the Persistence Logic.DAO Pattern suggested that to separate the Business logic and Persistent logic.So in this process loose coupling between the business logic and persistent logic.And also reusable the persistent logic.

1.In Hibernate what happens when the same object is loaded for two times with  in a session?
ans:

  • A session of hibernate maintain a cache for storing the objects used in a session.With the help of the cache to reduce the no of round trips between the java application and database.
  • For the first time hibernate load the object from the database and it will be stored in a session cached .
  • Second time the object is loaded from the session cache but not from the database.

 We can understand  how many times the object is loaded from the database,using select command printed on the console.

2.what is the difference  between the save( ) method and persist( )method in hibernate?
ans:

  • save( ) method  return type is serializable  and persist( ) method return type is void.
  •  save ( ) method will save the object in session cache and returns the id of the object in  serialized format. 
  • persist( ) method will save the object in session cache and doesn't return any id of session object.
  • If the generator class is assigned the the programmer need to assign the id explicitly.In this case persist( ) method is used.
  • If the generator class is other than assign then hibernate will assign id of the object.In this case save( ) method is used.

3.What is the difference between save( ) and saveOrUpdate() methods?
ans:

  • save( ) method will perform only save operation.but saveOrUpdate( ) will perform save and update operations.
  • saveOrUpdate( ) method performs save operation if the id is new.If the id is persist then it perform update  operation.

4.In properties of pojo class,primitives or wrapper  is better type?
ans:

  • wrapper type is better than primitives .Because if we don't assign  a primitive  property value then it will save the property value is zero.It will miss understanding of the data.
  • To over come this problem we use wrapper type property  in this we don;t assign a primitive value then it will save the property value null is stored in database.So there will be no misunderstanding of the data.
5.why hibernate is recommended  to implement a pojo class java.io.Serializable interface?
ans:
  • If a database server is running on local machine then the object of pojo class may or may not be implement a serializable  interface
  • If a database server  is running on a remote machine in a network then only serializable objects are transfer in to the network.So we can must implement our pojo class object with serializable interface.
6.Can you create a hibernate application without creating a configuration file or not?
ans: Yes.we can create a hibernate application without configuration file.By using we can create a properties file or we can add a configuration pro-grammatically.

  • Before hibernate 3.x,Configuration file can be done either using properties file or pro grammatically .In hibernate 3.x we can use configuration xml file.
  • In properties file we can configured only connection properties and  hibernate properties.mapping resources can not be configured.
  • we can add the mapping resource to configuration explicitly by calling add Resource()method.
example:
hibernate.properties
     connection.driver_class=oracle.jdbc.OracleDriver
     connection url =jdbc:oracle:thin:@localhost:1521:XE
     connection username=system
     connection password=tiger
    dialect=org.hibernate.dialect.OracleDialect
    show_sql property tag
    
      In this above properties file we can configure only hibernate properties and connection properties.
      Next we can call the mapping resource through calling addResource() method in client application.
example:
         Configuration conf=new Configuration();
           conf.addResource("product.hbm.xml");
7 What is difference between the pool and cache?
ans: In hibernate mainly two difference are there in pool and cache.
  • pool  is a group of equal objects.we call them as stateless objects.But a cache is a group of unequal objects.we call them as state full objects.
  • In a pool a client has to wait until one of the object is free,when a pool is busy.where as in cache a client has to wait until any one of the object is free when cache is busy..
Read More

Wednesday 16 October 2013

Amazon Walk in for Fresher 2013



Amazon Walk in For Freshers in Hyderabad:: Amazon Company has conducted a walk in for freshers from 21st to 25 October.company details and candidate qualification and skills are given bellow.who are eligible candidates can attend this walk in.

Company Name: Amazon

Designation: Associate

Experience:Fresher

Qualification: BE/B.Tech 2013/2012/2011 Batches

Location: Hyderabad

Salary: As per the Industry

Job Details: Communication skills,use sql understanding data models for business functions.

Apply Mode: walk in

Walk in Date: 21st to 25th October 2013

Timing: 10 AM

Venue Details:
Amazon Development Center India
Plat no 6
DivyasreeTrinity Building,
Madhapur-Hi-tech city
Read More

Tuesday 15 October 2013

Tamil Nadu Open University End Exam Results


Tamil Nadu Open University (TNOU) has released  a end term Examination Exam results 2013 which are held in the Month June 2013.who are attend the exam then it will check their results.All the candidates are enter their hall ticket number and get the results through the online.The candidate can enter the roll number and get the results. In case of your are forget the your roll number then enter your full name and click on the Find Results button.



    The results are available through the online website India results.com or we can check the given bellow link

Read More

Interview Point of view Mostly Asked Questions in Hibernate:



 Interview Point of view Mostly Asked Questions in Hibernate:

In Interview point view most important questions are given bellow.These are all questions in Hibernate. In real time hibernate place a very important role in applications.By using Hibernate we can connect the application with database better than the jdbc and more features are  available in hibernate.
1.what is the nee d of the Dialect in Configuration file of the Hibernate?
ans: To generate the database related sql queries internally Dialect is used.

2.what is the benefit of Configuration file name as hibernate.cfg.xml?
 ans:--> if the file name is hibernate.cfg.xml then it is optional to pass the file name as parameter to            Configure().
      -->if the file name is some other say krishna.cfg.xml the we need to pass the  configuration file name to Configure() as mandatory.
for example:
       i) if the file name is hibernate.cfg.xml
            conf.configure( );                     ----->correct
            conf.configure("hibernate.cfg.xml");---->correct
       ii)if the file name is krishna.cfg.xml then
           conf.configure( );                      ----->wrong
           conf.configure("krishna.cfg.xml");----->correct

3.what is the difference between load( ) method and get( ) method?
 ans: load( ) method
      --> if the given id is doesn't exits in the database then load( ) method throws Object     NotFoundException.
     --->load( ) method reads an object from the database when is accessed in the code ,but not immediately load( ) method called.This is called "lazy loading"
    get( )method
     ---> if the given id is doesn't exists in the hibernate then get( )method simply returns null.
    --->get( ) method reads an object from the database when accessed in the code,immediately get( ) method called .This is called "early loading".

4.In hibernate application how many states are contain a pojo class object?
ans: In hibernate application a pojo class can contain 3 states.They are
       1.Transient State
       2.Persist State
       3.Detached State
Transient State:
    --->if the object is not entered into the session then the object is in Transient State.So it is not associated with database.
    ---->if any changes are done on a Transient state object it is not effected on the database.
Persistent State:
      ---> if the object is entered into the session then the object is in Persistent State.So it is associated with database.
     ---->if any changes are done on a Persist state object is effected on the database.
Detached State:
    ---->if the object is come out of the session then the object is in Detached State.So it is not associated with database.
  ---->if any changes are done on the database object is not effected on the database.

5.what is the difference between update() method and merge( )method?
ans:-->update( )method and merge( )method both are used to convert the object from detached state to persist state
   update( ) method:
     -->we can call the update( ) method to convert a detached state object into persist state.while converting if already an object exits in a cash with the same id then update( ) method throws org.hibernate.NonUniqueObjectException it means update( ) method fails.
  merge( )method:
    ---->we can call the merge( )method to convert a detached state object to persist state.while converting  if already an object with same id exists in the cash then merge( ) just copies the changes from detached state to object which is already exists in the cash.But it does not throw any Exception.
 
Read More

Indian Postal Recruitment 2013


Indian Postal Recruitment : Indian postal Recruitment has invited a notification for Postal vacancies. Details of the post and qualification details are given bellow..

Name : Indian Post

Name of the Post and Number of Posts are

Name of the Post                                Number of Posts

  1. Director(debt)                                  01
  2. Director(Equity)                               01
  3. Director(MIS)                                  01
  4. Director(Accounts and treasury)       01
Qualification: candidate should be completed  M.Com/MA  from the Recognized University.

Age Limit :  not applicable for all the posts.

How To Apply: Applicants can apply through prescribed application format and filled from,attested copies send to Dy.Director General,Deportment of Posts, Dak Bhawan Sansad Marg New-Delhi-110001

Fees: Selected Applicant will get pay band 15600-39100/- for all the posts

Last Date of the Application: 60 days from date of the Advertisement.

For More Details of the Notification: Click Here
Read More

DRDO Recruitment 2013


DRDO Recruitment: Defense Research and Development Organization has released a notification for DRDO posts.Candidates who wish to this application must pass PhD. from a Government recognized college or university.who are Eligible for these post.Fore more details of the post are given bellow...

Name of the Post : Research Associate

No of the Posts: 1

Qualification: Candidate must passed Doctor of Philosophy

Age Limit: Candidate age must have 30 years.

Selection  Process: Candidate selection will be based on the performance.

How To Apply: Candidates have to bring Bio data of the candidate Details ,Two passport size photos and Resumes,all the documents on before 29-10-2013 at DIPR,Ministry of the Lucknow,Timarpur Delhi-110054

View More Details:
Read More

Monday 14 October 2013

Indian Navy Recruitment 2013 For Pilot And Observer Vacancies:



 Indian Navy Recruitment 2013 For Pilot And Observer Vacancies:

Indian Navy invites a application from Male/Female recruitment for Pilot and Observer vacancies.Candidate should pass 10+2 with contain Maths,Physics subjects.Eligible candidates should apply before 18-10-2013.All the details like qualification,age limit,apply processing,important dates are given bellow..

Indian Navy Vacancy Details

Name of the Post : Pilot/Observer

Qualification : Candidate should  have qualify 10+2 with maths,physics Graduate degree  any discipline.

Age Limit : Candidate age should  be between 18-24 years.

Selection Process: Candidate should be selected based on the performance and intelligence test.


How to Apply : Eligible Candidates can apply through the Online website www.nausena-bharati.nic.in from 07-10-2013 to 25-10-2013.

Important Dates:

Starting date of the Application : 07-10-2013
Last date for receipt of the Application: 04-11-2013
Closing date of the Application : 25-10-2013


For More details of these Application details given bellow links:
Read More

Friday 11 October 2013

South Indian Bank Recruitment For Probationary Posts




South Indian Bank Recruitment For Probationary Clerks-28 Posts:

South Indian Bank has released a notification for Probationary Clerks 28 posts.So who are eligible candidates are should fallow the details and apply them.The last date of the application is 5th November 2013.The no of Posts, age  and qualification all the details are given bellow..

Name of the Post: Probationary Clerk

Number of Posts: 28

Age Limit: 18-26 Years

Qualification: Degree with computer Knowledge.

Last Date of the Application: 5-11-2013

Company:  South Indian Bank

How to Apply: Application should be neatly handwritten and should be complete all the respects.
Please super subscribes the envelope containing the application for the post of clerks and send to bellow address..

Dy.General Manger,
The South Indian Bank Ltd,
Regional Office-Kolkata,
Door No 20 A Mother Teresa Sarani (Park Street),
1st Floor,Flat No-1,Kolkata-700016

Important Dates:

Starting date of the Application:   9-10-2013

Last date of the Application:         5-11-2013

Fore more details about the notification and Application Form details are given bellow link
   Application Form Details click here

Read More

Tuesday 8 October 2013

Eastern Railway Recruitment Cell Kolkata 2830 Posts


Eastern Railway Recruitment Cell Kolkata 2830 Posts

Eastern Railway Recruitment cell has released a new notification for porter,Trackman and other vacancies.
Eligible candidates should apply the posts on before date of 15-11-2013.These notification details and other process details are given bellow.So  who are eligible candidates should fallow the details and apply them.

Name of the Post: Group-D

Number of Posts: 2830

Education Qualification: candidate Should pass 10th class/ITI

Pay Scale: Rs.5200-20200

Age Limit: 18 to 33 years on date 1-1-2014

Last date: 15-11-2013

For theses more details of the notification are like selection process,apply details and other details  are given bellow link:


Read More

SURPRISE SOLUTIONS WALK IN FOR 2013 FRESHERS


Surprise Solutions walk in for freshers on 11th October:

Surprise Solutions has conducted a walk in for freshers in Chennai.Who are eligible candidates should attend this walk in.Education qualification,location,year of passing and other details are given bellow.

Education Qualification: Any Graduate/Any Post Graduate

Designation: Java Application Developer

Salary: As per the Industry.

Experience: Fresher

Interview Rounds:

Personal Round
Aptitude Test
Technical Test

Interview Process: Register your profile www.surprisesolutions.com and flash the unique id.This id will get on results of registration.

Apply Mode: walk in

Walk in Date: 11th-Oct-2013

Walk in Time: 10 Am to 12-noon

For More Details : Click here

Read More

Monday 7 October 2013

RRC Chennai Recruitment 2013


   
RRC Chennai Recruitment for Group-D Posts:

RRC Chennai Recruitment has recently released a new notification for Group-D Posts. RRC Chennai Recruitment totally 5450 posts are released. Eligible Candidates can apply the online before the given bellow dates.For More details like age limit,education qualification,selection process all the details are given bellow..

Total Number of posts: 5450
Name of the Posts: Group-D posts

Name of the post                        Number of Posts

1.Helper Electl                             642Posts
2.Helper S&T                               118Posts
3.Trackman Engg                         1539Posts
4.HelperMechi                              588Posts
5.Peon genl                                   102Posts
6.SCP/Porter                                 847Posts
7.Helper WS(M)                           757posts
8.Helper WS(E)                             107Posts
9.Helper TMU                                261Posts
10.Peon                                            252Posts
11.Track Maintainer  Gr.iv             13Posts
Age limit: Candidate age should be above 18 years and bellow  38 years.
Education Qualification: candidate should be pass 10th/ITI of equivalent  and can posses higher Educational Qualification at the time of applying.

important dates:

Starting date of the Online application:  21-9-2013
Last Date of the Online application:       21-10-2013

For more details about the notification by clicking the bellow links:
Click here for Recruitment Advt
Click here for Application Form
Click to Apply Online
Read More