搜档网
当前位置:搜档网 › 经典java面试英文题

经典java面试英文题

经典java面试英文题
经典java面试英文题

1.What is the result when you compile and run the following code?

public class Test{

public void method(){

for(int i=0;i<3;i++){

System.out.print(i);

}

System.out.print(i);

}

}

result: compile error

分析:

i是局部变量。

for循环完成后,i的引用即消失。

2.What will be the result of executing the following code?

Given that Test1 is a class.

class Test1{

public static void main(String[] args){

Test1[] t1 = new Test1[10];

Test1[][] t2 = new Test1[5][];

if(t1[0]==null){

t2[0] = new Test1[10];

t2[1] = new Test1[10];

t2[2] = new Test1[10];

t2[3] = new Test1[10];

t2[4] = new Test1[10];

}

System.out.println(t1[0]);

System.out.println(t2[1][0]);

}

}

result:null null

分析:

new数组后,数组有大小,但值为null

3.What will happen when you attempt to compile and run the following code? class Base{

int i = 99;

public void amethod(){

System.out.println("Base.method()");

}

Base(){

amethod();

}

}

public class Derived extends Base{

int i = -1;

public static void main(String args[]){

Base b = new Derived();

System.out.println(b.i);

b.amethod();

}

public void amethod(){

System.out.println("Derived.amethod()");

}

}

result:

Derived.amethod()

99

Derived.amethod()

解释:

Derived 重写了Base的amethod方法。

故Base构造函数执行时,执行的是Derived中的amethod.

属性的取值,取决于我们定义的变量的类型。上例中我们定义的变量是Base. 但是,如果定义的变量中的属性为private (不能在类外面直接引用,需要在该类中定义public方法,方便在类外部使用),则会被创建的变量所覆盖。

如果其它类型的属性(friendly, protected,public),不会被创建的变量所覆盖。(静态变量和静态常量属于类,不属于对象,因此它们不能被覆盖。)

而对于定义的变量中的方法,则是相反。会被创建的对象所重写。(override)

考点:

这道题考了继承和泛型使用时,属性和方法,的重写问题。

4.What will be the output on compiling/running the following code?

public class MyThread implements Runnable{

String myString = "yes";

public void run(){

this.myString = "no";

}

public static void main(String args[]){

MyThread t = new MyThread();

new Thread(t).start();

for(int i=0;i<10;i++){

System.out.print(t.myString);

}

}

}

result: yes no no no and so on

5.Multiple objects of MyClass (given below) are used in a program that uses multiple Threads to create new integer count. What will happen when other threads use following code?

class MyClass{

static private int myCount =0;

int yourNumber ;

private static synchronized int nextCount(){

return ++myCount;

}

public void setYourNumber(){

yourNumber = nextCount();

}

}

A. the code will give ompilation error.

B. the code will give runtime error.

C. each thread will get a unique number.

D. the uniqueness of the number different Threads can't be guaranteed.

答案:C

6.What is displayed when the following code is compiled and executed?

String s1 = new String("Test");

String s2 = new String("Test");

if(s1==s2) System.out.println("Same");

if(s1.equals(s2)) System.out.println("Equals");

A. Same Equals

B. Same

C. Equals

答案:C

分析:==判断的是(栈)内存地址所对应的值,是否相等

String类的equals方法,判断的是(堆)内存地址所对应的值,是否相等。即:字符串的内容是否相等。

String对象不是基本数据类型,属于引用数据类型。有2块内存(栈内存、堆内存)。栈内存的值,就是堆内存的地址。

基本数据类型只有一块内存(栈内存)。

2个String对象,在堆中对应生成了2个对象。它们在栈内存中的引用地址当然不同。但在堆内存中的值却相同,虽然在堆内存中的地址是不同的(且必须不能相同,因为它们是2个对象)。

7.Which of the following lines will print false?

public class MyClass{

static String s1="I am unique!";

public static void main(String args[]){

String s2 = "I am unique!";

String s3 = new String (s1);

8.System.out.println(s1==s2);

9.System.out.println(s1.equals(s2));

10.System.out.println(s3==s1); // only this line :false

11. System.out.println(s3.equals(s1));

12. System.out.println(TestClass.s4 == s1);

}

}

class TestClass{

static String s4 = "I am unique!";

}

A. line 10 and 12

B. line 12 only

C. line 8 and 10

D.none of these

answer: D

分析:

1、java中String类的对象,一旦生成后,是不可变的(长度不可变、内容也不可变)。除非再新new一个。

2、对于一个String字符串(例如:"I am unique!")来说,虽然它不是new出来的,但是,在第一次使用的时候,有一个匿名的String对象指向了它。

java利用最优化方法:以后如果出现内容相同的String字符,直接把这个引用地址给这个对象,而不是再生成一个String字符。

所以凡是String str_n = "I am unique!",这种写法的,它们的引用地址是相同的。引用地址所对应的值也相同。

看英文分析:

Strings are immutable objects. That is , a string is read only once the string has been created and initialized.

Java optimizes handling of string literals :

only one anonymous string object is shared by all string literals with the same contents.

Hence, in the above code the string s1,s2 and s4 refer to the same anonymous string object,

initializing with the character string :"I am unique!".

Thus s1==s2 and TestClass.s4 will both return true and obviously s1.equals(s2) will return true.

But creating string objects using the constructor String(String s) creates a new string , hence s3 == s1 will return false.

even though s3.equals(s1) will return true , because s1 and s3 referring to two different stringobjects whose contents are same.

https://www.sodocs.net/doc/253932148.html,/library/quiz/java/blscjp14_q26.htm

8.What is displayed when the following is executed?

class Parent{

private void method1(){

System.out.println("Parent's method1()");

}

public void method2(){

System.out.println("Parent's method2()");

method1();

}

}

class Child extends Parent{

public void method1(){

System.out.println("Child's method1()");

}

public static void main(String args[]){

Parent p = new Child();

p.method2();

}

}

A. compile time error

B. run time error

C. prints: parent's method2() prarent's method1()

D. prints: parent's method2() Child's method1()

answer: C

分析:

在parent中,虽然method1是private的,

但是仍然可以在public的method2中被调用。

而method2又可以被其子类调用。

故方法(或属性)的权限的使用,仅是受使用范围的限制。而不受其使用对象的限制。

如同:把一个成员变量设为private,然后对外提供访问其的public方法。外部仍然可以访问这个private的成员变量。

9.What will happen when you attempt to compile and run the following code snippet?

String str = "Java";

StringBuffer buffer = new StringBuffer(str);

if(str.equals(buffer)){

System.out.println("Both are equal");

}else{

System.out.println("They are so different");

}

A. print: They are so different

B. print: Both are equal

C. compile time error

D. Runtime error

answer: A

解释:equals方法只能比较同是String类型的对象

10.What will be printed when you execute the following code?

class X{

Y b = new Y();

X(){

System.out.print("X");

}

}

class Y{

Y(){

System.out.print("Y");

}

}

public class Z extends X{

Y y = new Y();

Z(){

System.out.print("Z");

}

public static void main(String[] args){

new Z();

}

}

A. Z

B. YZ

C. XYZ

D. YXYZ

answer: D

分析:

Z是从X继承而来。new Z时,先构造X。

1.类在构造方法执行之前,先初始化其成员变量,Y b = new Y();故:首先输出Y

2.然后执行X的构造函数。输出:X

3.在Z自己的构造方法执行之前,先初始化其成员变量,Y y = new Y();输出:Y

4.最后执行Z的构造函数。输出:Z

这道题有2个考点:

1、类在构造方法执行之前,先初始化其成员变量

2、先构造父类,再构造子类。(因为子类从父类继承而来,父类必须先构造出

来)

二、写成程序的运行结果

1、

public class FatherClass{

public FatherClass(){

System.out.println("FatherClass Create");

}

}

public class ChildClass extends FatherClass{

public ChildClass(){

System.out.println("ChildClass Create");

}

public static void main(String[] args){

FatherClass f = new FatherClass();

ChildClass c = new ChildClass();

}

}

运行结果:

FatherClass Create

FatherClass Create

ChildClass Create

分析:

1.1)如果用户重写了构造方法,则new时,必须使用重写的构造方法。否则

报错。

1.2)如果用户没有重写,则系统默认调用参数为空的构造方法。

2.1)子类构造方法中,没有显式调用父类构造方法,则默认调用父类参数为空的构造方法。且父类构造方法必须先于子类构造方法执行。

所以:

FatherClass f = new FatherClass(); //=>输出:FatherClass Create

ChildClass c = new ChildClass();//=>输出:FatherClass CreateChildClass Create

2、

public class OuterInner {

private class InnerClass{

public InnerClass(){

System.out.println("InnerClass Create");

}

}

public OuterInner(){

InnerClass in = new InnerClass();

System.out.println("OuterClass Create");

}

public static void main(String[] args) {

OuterInner o = new OuterInner();

}

}

运行结果:

InnerClass Create OuterClass Create

分析:这道题很普通。

英文面试常见问题总结

面试常见37个问题 1."Tell me about yourself" 简要介绍你自己。 2."Why are you interested in this position?" 你为什么对这份工作感兴趣?3."What are your strengths?" 谈谈你的优势? 4."What is Your Biggest Weakness?" 谈谈你最大的弱点是什么? 5."Why do You Feel You are Right for this Position?" 为什么你认为自己适合这个职位? 6."Can you give me the highlights of your resume?" 谈谈你的简历上有些什么值得特别关注的吗? 7."Why did you choose your major?" 你为什么选择这个专业? 8."What are your interests?" 你有哪些兴趣爱好呢? 9."What are your short and long term goals?" 你对于短期和长期的目标是什么?10."Tell me how your friends/family would describe you?" 如果我向你的朋友或者家人询问对你的评价,你认为他们会怎样说? 11."Using single words, tell me your three greatest strengths and one weakness." 用简单的词,描述你的三项最突出的优点和一个缺点。 12."What motivates you to succeed?" 你争取成功的动力是什么? 13."What qualities do you feel are important to be successful in _____ (i.e. customer service)?" 哪些品质在你看来对成功是最重要的? 14."What previous experience has helped you develop these qualities?" 哪些之前的精力帮助你获得了这些品质? 15."Can you give me an example of teamwork and leadership?" 你能向我列举一个团队活动和领导力的例子吗? 16."What was your greatest challenge and how did you overcome it?" 你经历过最大的挑战是什么?你如何跨越它的? 17."Why should I hire you over the other candidates I am interviewing?" 我为什么要从这么多应聘者中选择你呢? 18."Do you have any questions?" 你有一些什么问题吗? 19."What are your compensation expectations?" 你去年的收入是多少?你对于报酬有什么样的期望? General Questions: 20."What was your greatest accomplishment in past time?" 在过去的日子里,你觉得自己最大的成就是什么? 21."Have you ever been asked to do something unethical? If yes, how did you handle it?"曾经有人要求你去做一些不道德的事情吗?如果有,你是怎么处理的呢? 22."What do you do if you totally disagree with a request made by your manager?"如果你完全不同意你上司的某个要求,你怎么处理? Leadership Questions: 23."When in a group setting, what is your typical role?" 你在团队中通常的作用是什么? 24."How do you motivate a team to succeed?" 你怎么激励团队达到成功?

外企英文面试自我介绍范文经典

外企英文面试自我介绍范文经典 经常用得到英语自我介绍吗,下文是小编为大家整理的外企的英文面试自我介绍范文,仅供参考。 外企英文面试自我介绍范文一:good morning, my name is jack, it is really a great honor to have this opportunity fora interview, i would like to answer whatever you may raise, and I can make a good performance today, eventually enroll in this prestigious university in september. now i will introduce myself briefly,i am 21 years old,born in heilongjiang province ,northeast of china,and i am curruently a senior student at beijing XX major is packaging i will receive my bachelor degree after my graduation in the past 4 years,i spend most of my time on study,i have passed CET4/6 with a ease. and i have acquired basic knowledge of packaging and publishing both in theory and in practice. besides, i have attend several packaging exhibition hold in Beijing, this is our advantage study here, i have taken a tour to some big factory and company. through these i have a deeply understanding of domestic packaging industry. compared to developed countries such as us, unfortunately,

英语面试常用问题

英语面试常用问题 Job interviews are always stressful - even for job seekers who have gone on countless interviews. The best way to reduce the stress is to be prepared. Take the time to review the "standard" interview questions you will most likely be asked. Also review sample answers to these typical interview questions. Then take the time to research the company. That way you'll be ready with knowledgeable answers for the job interview questions that specifically relate to the company you are interviewing with. Interview Questions: Work History ?Name of company, position title and description, dates of employment. - Best Answers ?What were your expectations for the job and to what extent were they met? - Best Answers ?What were your starting and final levels of compensation? - Best Answers ?What were your responsibilities? - Best Answers ?What major challenges and problems did you face? How did you handle them? - Best Answers ?What have you learned from your mistakes? -Best Answers ?What did you like or dislike about your previous job? - Best Answers ?Which was most / least rewarding? - Best Answers ?What was the biggest accomplishment / failure in this position? - Best Answers ?Questions about your supervisors and co-workers. - Best Answers ?What was it like working for your supervisor? -Best Answers ?What do you expect from a supervisor? - Best Answers ?What problems have you encountered at work? - Best Answers ?Have you ever had difficulty working with a manager? - Best Answers ?Who was your best boss and who was the worst? - Best Answers ?Why are you leaving your job? - Best Answers ?Why did you resign? - Best Answers ?Why did you quit your job? - Best Answers ?What have you been doing since your last job? - Best Answers ?Why were you fired? - Best Answers Job Interview Questions About Y ou ?What is your greatest weakness? - Best Answers ?What is your greatest strength? - Best Answers ?How will your greatest strength help you perform? - Best Answers ?How would you describe yourself? - Best Answers ?Describe a typical work week. - Best Answers ?Describe your work style. - Best Answers ?Do you take work home with you? - Best Answers ?How many hours do you normally work? - Best Answers ?How would you describe the pace at which you work? - Best Answers ?How do you handle stress and pressure? - Best Answers ?What motivates you? - Best Answers

面试外企英语自我介绍

面试外企英语自我介绍 范文一: hello, my name is xx, is pleased to participate in your interview. i am now studying at the qingdao agricultural university, is about to graduate in july this year. i was majoring in environmental engineering, the main courses of water pollution control projects, engineering mechanics, construction and other graphics. while studying at the school, i have served as a member of our sports classes, organizing college students participated in various sports activities held, such as college basketball and so on, i benefited from. in addition, i also participated in some group activities, such as the vanguard of young volunteers, in which enhanced the ability of my team. i am more outgoing personality, and students can get along, a strong sense of responsibility, practical efforts. today, i recruited technical support your company's position in the hope that i have learned to bring into full play, and learn to grow here. i hope to have the opportunity to become colleagues with you.thank you. 范文二: good morning sir, (what will you say if it is a woman?) i am glad to be here for this interview. first, let me thank you for finding time in the midst of pressing affairs. i am 25 years old and i am local. (i live locally sounds better) i am seeking an opportunity to work with xxx as sales. (..in sales or as a sales representative/whatever).my professional experience and my awareness of your unparalleled reputation have led me to want to work for your company.

英文面试常见问题和答案

英文面试常见问题和答案 关于工作(About Job) 实际工作中,员工常常需要不断学习和勇于承担责任,求职者如果能表现出这种素质,会给应聘方留下良好的印象。 面试例题 1What range of pay-scale are you interested in (你感兴趣的薪水标准在哪个层次) 参考答案 Money is important, but the responsibility that goes along with this job is what interests me the most. (薪水固然重要,但这工作伴随而来的责任更吸引我。) 假如你有家眷,可以说: To be frank and open with you, I like this job, but I have a family to support. (坦白地说,我喜欢这份工作,不过我必须要负担我的家庭。) 面试例题 2 What do you want most from your work (你最希望从工作中得到什么 答案 I hope to get a kind of learning to get skills from my work. I want to learn some working skills and become a professional in an industry. (我最希望得到的是一种学习,能让我学到工作的技能。虽然我已经在学校学习了快16年但只是学习到了知识,在学校里,没有机会接触到真正的社会,没有掌握一项工作技能,所以我最希望获得一项工作的技能,能够成为某一个行业领域的专业人士。)

保研英文面试自我介绍范文【精选】

保研英文面试自我介绍范文 hello, my name is ***, it is really a great honor to have this opportunity for a interview, i would like to answer whatever you may r aise, and i hope i can make a good performance today, eventually enroll in this prestigious university in september. now i will introduce myself briefly,i am **years old,born in ***8 province ,northeast of china,and i am curruently a senior student at ****.my major is packaging i will receive my b achelor degree after my g raduation in the past *years,i spend most of my t ime on study,i have passed ****with a ease. and i have acquired basic knowledge of packaging and publishing both in theory and in practice. besides, i have attend several packaging exhibition hold in beijing, this is our advantage study here, i have taken a tour to some big factory and pany. through these i have a deeply understanding of domestic packaging industry. pared to developed countries such as us, unfortunately, although we have made extraordinary progress since 1978,our packaging industry are still underdeveloped, mess, unstable, the situation of employees in this field are awkard. but i have full confidence in a bright future if only our economy can keep the growth pace still. i guess you maybe interested in the reason itch to law, and what is my plan during graduate study life, i would like to tell you that pursue law is one of my lifelong goal,i like my major packaging and i wont give up,if i can pursue my master degree here i will bine law with my former education. i will work hard inthesefields ,patent ,trademark, copyright, on the base of my years study in department of p&p, my character? i cannot describe it well, but i know i am optimistic and confident. sometimes i prefer to stay alone, reading, listening to music, but i am not lonely, i like to chat with my classmates, almost talk everything ,my favorite pastime is valleyball,playing cards or surf online. through college life,i learn how to balance between study and entertainment. by the way, i was a actor of our amazing drama club. . thank you. 中英文面试自我介绍范文 会计专业英文面试自我介绍

常见英语面试问题

常见英语面试问题(工作经验篇)English Interview Questions--WORKING EXPERIENCE ●Tell me about your work experience in general terms. ●大概介绍一下你的工作经历 ●Why did you leave these jobs you just mentioned? ●为什么辞职? ●What are some of the reasons for considering other employment at this time? ●为什么在这个时候选择其他工作? ●Tell me about some of your past achievements. / What contribution did you make to your current (previous) organization? ●告诉我你过去的一些成绩。/ 你对现在(之前的)工作有何贡献? ●What is the biggest mistake you have made in your career? ●在你职业生涯中,最大的错误是什么? ●Will you describe your present duties & responsibilities? / What kind of work does the position involve? ●描述一下你现在工作的职责。/ 具体涉及到什么样的工作。 ●What are some things that frustrate you most in your present job? ●你现在工作中让你最受打击的有哪些事情? ●How would you describe your present/past supervisor? ●描述一下你现在/之前的上级。 ●Can you describe a difficult obstacle you've had to overcome? How did you handle it? / Give me an example of your initiative in a challenging situation. ●描述一下你所客服的困难。你的处理方法是什么。举例说明在一个充满挑战的环境下你 的主动性。 ●What is your rank of performance in your previous department? What special abilities make you achieve this kind of rank?

最新-三分钟英文面试自我介绍 精品

三分钟英文面试自我介绍 第1篇第2篇第3篇第4篇第5篇 目录 第一篇:三分钟英文面试自我介绍第二篇:三分钟英文自我介绍第三篇:一分钟面试英文自我介绍第四篇:2019面试三分钟的自我介绍第五篇:面试自我介绍三分钟 正文 第一篇:三分钟英文面试自我介绍 is g ig ! i is lly y v is ppuiy ivi, i p i k g p y. i' i i su. i ill iu ysl bily i 26 ys l,b i sg pvi . i s gu qig uivsiy. y j is li. i g y bl g y gui i y 2019. i sp s y i suy,i v pss 4/6 . i v qui bsi klg y j uig y sl i. i july 2019, i bgi k sll piv py s il supp gi i qig iy.bus i' pbl spsibiliis, s i i g y jb. i ugus 2019,i l qig bijig k ig pis s ui s s gi.bus i g y kig vi, i' lik i jb i is llgig. v l is glbl py, s i l i gi s kig i is ki py vi. is s y i p is psii. i ik i' g ply i' ps g sy s. ls i bl k u g pssu. 's ll. k yu givig . s

g ig/. i is lly y v is ppuiy ivi. i p i k g p y.y is xx. i 20 ys l,b i lil villg i su zjig. y ps s, i ly il. ug ll--, ily lys b pul. y j is giig lgy. i ill gu i july,2019. i v s bbis lik lisig usi,siig, spilly sig s vis. i pss ys,i v l s pil skills gi s j iis. i pi i l glig, i v pss 4 i y s. i lkig big b yu py . kyu! 第二篇:三分钟英文自我介绍 ll vy, i gl giv bi iui ysl. y is ylig, i' 20 ys l. i gu l uivsiy, i y s j , j i busiss glis. i y sp i, i lik v, ply bi. i ls u ig, s . i is y plsu k ll yu i is yu ill k bu i uu.i ii , uig y llg ys, i v pss 4, busiss lvl 1.i i ssis i iig sl, yb, i’s vg . xpi, i ik, is bu ls buil g lis i il. i ls v ug pis vy il. ls bu ls, i ill b ully i i i k iily iulusly u pssu s p b. i l ppuiy spk i si g u gig y quliiis psii. k yu vy u yu i! 第三篇:一分钟面试英文自我介绍 g si i gl b ll yu. is pls l iu ysl. y is*****, 21. i qiug, buiul s iy bi pvi. i llg su j i si giig,suyig li sip iljig uivsiy,isy bilgy is y j subjs.i v b suyig si i li si p. i i y lss g lg i y lsss. si is ,i’v b kig s ssis ilgjig uivsiy k-suy i, p ll.i vy luky g b ivi by yu。 i p-i ,quik i ug gi psiiv .lik yugs。i vb iss,spilly s i s ss。i usully gis -k iviis,us,i’ g uiig i s kig is ily. ’s i s i quis sis v xpi iis lss i siss 60 sus. k i b is i .

英语面试试题

英语面试试题 1、What gifts will you buy for your parents for their birthdays? Why? 2、If it is fine tomorrow, what would you like to do? Why? 3、If you are a rich person, how will you spend your money? Why? 4、How will you celebrate (庆祝) your birthday? Why? 5、What kind of school life can you imagine (想象) in high school? 6、What can we do to save water? 7、Do you think it is good for a student to have a mobile phone? Why/ Why not? 8、Please describe (描述) your perfect (美好的) day. 9、What kind of people would you like to make friends with? Why? 10、Why do you want to study here? 11、How will you prepare (准备) for your trip if you have a chance? 12、How will you get ready for your high school lift? 13、There are so many cars in the streets. Do you think it’s good or not? Why? 14、Do you think smoking is good or not? Why? 15、Do you like pets? Why/ Why not?

经典英文自我介绍范例

经典英文自我介绍范例 在日常生活中,往往需要你来介绍别人,或者向他人介绍自己。今天WTT小雅和你分享经典英文自我介绍范例,欢迎阅读。 经典英文自我介绍范例篇【1】 Good morning. I am glad to be here for this interview. First let me introduce myself. My name is , 24. I come from , the capital of Province. I graduated from the department of University in July, 20xx. In the past two years I have been prepareing for the postgraduate examination while I have been teaching in NO.1 middle School and I was a head-teacher of a class in junior grade two. Now all my hard work has got a result since I have a chance to be interview by you . I am open-minded, quick in thought and very fond of history. In my spare time, I have broad interests like many other youngers. I like reading books, especially those about . Frequently I exchange with other people by making comments in the forum on line. In addition, during my college years, I was once a Net-bar technician. So, I have a comparative good command of network application. I am able to operate the computer well. I am

常见的英语面试题目【精选】

常见的英语面试题目 如果你象大多数的人,仅仅一次应聘面试的预想就足够让你紧张了。要是用英语面试,那可以真正让你坐立难安的。你想像不到,面试室里会是怎样的情形,考官会问什么问题。考官希望看到什么样的你,对一个合格的面试者又有什么样的要求呢?这些问题是你在面试前必须经过充分设想,并且有针对性地做好准备的。下面,英孚来给你支两招。告诉你,英语面试其实可以很简单。 穿着职业化,对公司进行背景调查,并随后附以一张私人的感谢条是非常重要的。但是,更重要的是知道如何对常见的问题给出最佳的答案。使用这些提示,你可以在英语面试中获得优势。 tellmeaboutyourself. 这将是你听到的第一个问题。不需要叙述你的生活记录。你应该着重强调你和此职位相关的特质,例如谈判的工作经历,技巧和成就。 whatareyourthreegreateststrengths? 了解你自己身上最重要重要的,决定你是否适合这份工作的特殊因素。利用你的特质,并用你过去工作经验的例子来支持,说明你自己能对公司作出不同于他人的贡献。例如,你可以利用你优秀的沟通技巧,帮助解决客户的问题和焦躁感。 yourthreegreatestweaknesses? 你是需要诚实,但这并不表示你真的要展示自己缺点——特别是那些让你看起来缺乏能力的缺点。取而代之,选择可以同时视作优点的弱项,例如说你有时比别人花更多的时间完成一项项目,因为你paycarefulattentiontodetail。 tellmeaboutatimewhen... 如果应聘你的人用这样的方式开始问你,他或她是在从你的过去的工作经历寻求特别的例子,你必须了解这一点,不能把回答变成如何处理这种情况的综合性论述。准备一张可以用来举例对付类似问题的纸,将以前取得的成绩的分类列表,是非常有用的。 dopreferworkingindividuallyorwithateam? 雇主希望寻找能够独立工作,能在团队中配合默契的职员。陈述你的偏好是相当重要的,但同时要提到你在两种情况下都能应付自如。 whydoyouwanttoworkhere? 在此,你的面试者不是希望寻求对他公司的赞美。而是希望知道,你以前怎样的相关工作经验让你适合这份工作,并帮助你对此公司作出贡献。你对当前应

英文面试自我介绍和经典问答

您好,我叫唐浩,湖南汨罗人,今年25 岁。本科就读于湖南工业大学,08 年考上重庆邮电大学研究生,在通信与信息工程学院学习至今。研一完成了所修学分之后,从去年 5 月开始我们导师便和通信网测试实验室这边接手了一些校企和科研项目。第一个项目是一个手持式红外热像仪的研发,这个项目比较复杂现在我们还在进行后期的一些调试。在项目中我主要参与了项目需求分析,概要设计以及详细设计。在前提过程中我感觉收获还是比较大的,首先是对于一个项目的整个过程有了了解,在以前对于这些还是比较陌生的。后期的详细设计中我主要涉及了linux 系统的移植与开发,还有就是基于Qt/embedded 的图形用户界面的开发,包括QTE 开发环境的搭建,界面上信号与槽的定义,一起QT 在arm9 上的移植。第二个项目是我们和重庆分众传媒公司合作的,关于对市场上现有广告机的改进,因为3G 技术的发展,他们想广告机通过无线方式进行远程控制与媒体信息的传输。但是因为…?所以….现在我们还在对这个硬件架构进行评估,我现在主要在做mplayer 播 放器这一块。 在学校里边我一直都是积极参与各项活动的,篮球赛啊,辩论赛啊各种晚会,也参与过学生会干部一段时间。当然有人觉得参与这些活动没有意义或者是为了某些利益,但我从不这么觉得,我觉得做自己喜欢的事情就是一种享受。在这些活动中我不但接朋交友,学会了沟通和交流,更主要的是让我学会了换位思考,懂得站在别人的立场上去想问题,想方法。有一点我想说一下对于这次中兴来招聘,我其实是没多少底气的,我怕笔试被刷,因为我编程的能力确实有些欠缺,所以昨晚接到能面试的通知,我还是挺激动的,毕竟面试能更好的把我的优势体现出来。朋友们都笑我,称我是混在IT 业的文学小青年。所以与 其在二进制代码的抽象世界里享受痛苦,我更愿意在文字和与人交流的一种美学上去捕捉快乐。因此虽然我可能没有他们搞研发编程高手们娴熟的技术和冷静得出奇的理性,但是有他们没有对与文字和情感的理解与拿捏。其实对于技术层面很看重的中兴来说,我说这番话是冒了很大风险的。但是我觉得我还是得坦诚相待。 学习之余我喜欢打篮球。 Good morning ! It is really my honor to have this opportunity for an interview, I hope i can make a good performance today. I'm confident that I can succeed. My name is tanghao and you can call me creasy. I am 25 years old, born in hunan province . I will graduate from chongqing university of post and telecom. my major is information and communication. and i will got my master 's degree after my graduation in this year of 2011. the sex-years of campus 's life has taught and benefited me a lot. But I do not like spend enough of my time on study, but whatever I want to do I will try my best to do. i have passed CET6. and i have acquired basic knowledge of my major during my school time. we know ZTE is a leading global provider of telecommunications equipment and network solutions, so I feel I can gain the most from working in this kind of compa ny ennvironment. That is the reas on why I come here to compete for this positi on.

英文面试常见问题和答案

英文面试常见问题和答案

英文面试常见问题和答案 关于工作(About Job) 实际工作中,员工常常需要不断学习和勇于承担责任,求职者如果能表现出这种素质,会给应聘方留下良好的印象。 面试例题 1What range of pay-scale are you interested in (你感兴趣的薪水标准在哪个层次?) 参考答案 Money is important, but the responsibility that goes along with this job is what

interests me the most. (薪水固然重要,但这工作伴随而来的责任更吸引我。) 假如你有家眷,可以说: To be frank and open with you, I like this job, but I have a family to support. (坦白地说,我喜欢这份工作,不过我必须要负担我的家庭。) 面试例题 2 What do you want most from your work? (你最希望从工作中得到什么 答案 I hope to get a kind of learning to get skills from my work. I want to learn some working

skills and become a professional in an industry. (我最希望得到的是一种学习,能让我学到工作的技能。虽然我已经在学校学习了快16年但只是学习到了知识,在学校里,没有机会接触到真正的社会,没有掌握一项工作技能,所以我最希望获得一项工作的技能,能够成为某一个行业领域的专业人士。) 面试例题 3 Why did you choose us? (你为什么选择到我们公司来应聘 答案 As the saying goes, "well begun is half done".

英文自我介绍面试2分钟

英文自我介绍面试2分钟 What language of self introduction do you need to prepare for the interview? Here for you to prepare the English version of self introduction!接下来,小编在这给大家带来英文自我介绍面试2分钟,欢迎大家借鉴参考! 英文自我介绍面试2分钟1 Good morning,everyone! I am glad to be here for this interview。First,let me introduce myself to you。My name is Qin Jiayin。I was born on April 23,1981。I am a local person。I am graduating from Jilin Normal University this June。I major in Chinese literature。I hope I could get the opportunity to finish my postgraduate courses in Jilin University which I have desired for a long time。I have the confidence because I have such ability! I am a girl who is fervent,outgoing and creative。At the same time,I think I am quick in mind and careful in everything。I am looking forward to my postgraduate studies and life。I will soon prove that your decision of choosing me is the wisest。Thank you for giving me such a valuable opportunity!

相关主题