Você está na página 1de 25

1.

Explain Namespace. Namespaces are logical groupings of names used within a program. There may be multiple namespaces in a single application code, grouped based on the identifiers use. The name of any given identifier must appear only once in its namespace.

2.

List the types of Authentication supported by ASP.NET.

o o o o
3.

Windows (default) Forms Passport None (Security disabled)

What is CLR? Common Language Runtime (CLR) is a run-time environment that manages the execution of .NET code and provides services like memory management, debugging, security, etc. The CLR is also known as Virtual Execution System (VES).

4.

What is CLI? The CLI is a set of specifications for a runtime environment, including a common type system, base class library, and a machine-independent intermediate code known as the Common Intermediate Language (CIL). (Source: Wikipedia.)

5.

List the various stages of Page-Load lifecycle.

o o o o
6.

Init() Load() PreRender() Unload()

Explain Assembly and Manifest.

An assembly is a collection of one or more files and one of them (DLL or EXE) contains a special metadata called Assembly Manifest. The manifest is stored as binary data and contains details like versioning requirements for the assembly, the author, security permissions, and list of files forming the assembly. An assembly is created whenever a DLL is built. The manifest can be viewed programmatically by making use of classes from the

System.Reflection namespace. The tool Intermediate Language Disassembler


(ILDASM) can be used for this purpose. It can be launched from the command prompt or via Start> Run. 7. What is Shadow Copy? In order to replace a COM component on a live web server, it was necessary to stop the entire website, copy the new files and then restart the website. This is not feasible for the web servers that need to be always running. .NET components are different. They can be overwritten at any time using a mechanism called Shadow Copy. It prevents the Portable Executable (PE) files like DLLs and EXEs from being locked. Whenever new versions of the PEs are released, they are automatically detected by the CLR and the changed components will be automatically loaded. They will be used to process all new requests not currently executing, while the older version still runs the currently executing requests. By bleeding out the older version, the update is completed. 8. What is DLL Hell? DLL hell is the problem that occurs when an installation of a newer application might break or hinder other applications as newer DLLs are copied into the system and the older applications do not support or are not compatible with them. .NET overcomes this problem by supporting multiple versions of an assembly at any given time. This is also called sideby-side component versioning. 9. Explain Web Services. Web services are programmable business logic components that provide access to functionality through the Internet. Standard protocols like HTTP can be used to access them. Web services are based on the Simple Object Access Protocol (SOAP), which is an application of XML. Web services are given the .asmx extension. 10. Explain Windows Forms.

Windows Forms is employed for developing Windows GUI applications. It is a class library that gives developers access to Windows Common Controls with rich functionality. It is a common GUI library for all the languages supported by the .NET Framework. 11. What is Postback? When an action occurs (like button click), the page containing all the controls within the

<FORM... > tag performs an HTTP POST, while having itself as the target URL. This is
called Postback. 12. Explain the differences between server-side and client-side code? Server side scripting means that all the script will be executed by the server and interpreted as needed. Client side scripting means that the script will be executed immediately in the browser such as form field validation, clock, email validation, etc. Client side scripting is usually done in VBScript or JavaScript. Since the code is included in the HTML page, anyone can see the code by viewing the page source. It also poses as a possible security hazard for the client computer. 13. Enumerate the types of Directives.

o o o o o o o

@ Page directive @ Import directive @ Implements directive @ Register directive @ Assembly directive @ OutputCache directive @ Reference directive

14. What is Code-Behind? Code-Behind is a concept where the contents of a page are in one file and the server-side code is in another. This allows different people to work on the same page at the same time and also allows either part of the page to be easily redesigned, with no changes required in

the other. An Inherits attribute is added to the @ Page directive to specify the location of the Code-Behind file to the ASP.NET page. 15. Describe the difference between inline and code behind. Inline code is written along side the HTML in a page. There is no separate distinction between design code and logic code. Code-behind is code written in a separate file and referenced by the .aspx page. 16. List the ASP.NET validation controls?

o o o o o o

RequiredFieldValidator RangeValidator CompareValidator RegularExpressionValidator CustomValidator ValidationSummary

17. What is Data Binding? Data binding is a way used to connect values from a collection of data (e.g. DataSet) to the controls on a web form. The values from the dataset are automatically displayed in the controls without having to write separate code to display them. 18. Describe Paging in ASP.NET. The DataGrid control in ASP.NET enables easy paging of the data. The AllowPaging property of the DataGrid can be set to True to perform paging. ASP.NET automatically performs paging and provides the hyperlinks to the other pages in different styles, based on the property that has been set for PagerStyle.Mode. 19. Should user input data validation occur server-side or client-side? Why? All user input data validation should occur on the server and minimally on the client-side, though it is a good way to reduce server load and network traffic because we can ensure that only data of the appropriate type is submitted from the form. It is totally insecure. The

user can view the code used for validation and create a workaround for it. Secondly, the URL of the page that handles the data is freely visible in the original form page. This will allow unscrupulous users to send data from their own forms to your application. Client-side validation can sometimes be performed where deemed appropriate and feasible to provide a richer, more responsive experience for the user. 20. What is the difference between Server.Transfer and Response.Redirect?

Response.Redirect: This tells the browser that the requested page can be
found at a new location. The browser then initiates another request to the new page loading its contents in the browser. This results in two requests by the browser.

Server.Transfer: It transfers execution from the first page to the second page
on the server. As far as the browser client is concerned, it made one request and the initial page is the one responding with content. The benefit of this approach is one less round trip to the server from the client browser. Also, any posted form variables and query string parameters are available to the second page as well.

21. What is an interface and what is an abstract class? In an interface, all methods must be abstract (must not be defined). In an abstract class, some methods can be defined. In an interface, no accessibility modifiers are allowed, whereas it is allowed in abstract classes. 22. Session state vs. View state: In some cases, using view state is not feasible. The alternative for view state is session state. Session state is employed under the following situations:

Large amounts of data - View state tends to increase the size of both the HTML page sent to the browser and the size of form posted back. Hence session state is used.

Secure data - Though the view state data is encoded and may be encrypted, it is better and secure if no sensitive data is sent to the client. Thus, session state is a more secure option.

Problems in serializing of objects into view state - View state is efficient for a small set of data. Other types like DataSet are slower and can generate a very large view state.

23. Can two different programming languages be mixed in a single ASPX file? ASP.NETs built-in parsers are used to remove code from ASPX files and create temporary files. Each parser understands only one language. Therefore mixing of languages in a single ASPX file is not possible. 24. Is it possible to see the code that ASP.NET generates from an ASPX file? By enabling debugging using a <%@ Page Debug="true" %> directive in the ASPX file or a <compilation debug="true"> statement in Web.config, the generated code can be viewed. The code is stored in a CS or VB file (usually in the \%SystemRoot %\Microsoft.NET\Framework\v1.0.nnnn\Temporary ASP.NET Files ). 25. Can a custom .NET data type be used in a Web form? This can be achieved by placing the DLL containing the custom data type in the application root's bin directory and ASP.NET will automatically load the DLL when the type is referenced. 26. List the event handlers that can be included in Global.asax?

o o o o

Application start and end event handlers Session start and end event handlers Per-request event handlers Non-deterministic event handlers

27. Can the view state be protected from tampering? This can be achieved by including an @ Page directive with an

EnableViewStateMac="true" attribute in each ASPX file that has to be protected.


Another way is to include the <pages enableViewStateMac="true" /> statement in the Web.config file.

28. Can the view state be encrypted? The view state can be encrypted by setting EnableViewStateMac to true and either modifying the <machineKey> element in Machine.config to <machineKey

validation="3DES /> or by adding the above statement to Web.config.


29. When during the page processing cycle is ViewState available? The view state is available after the Init() and before the Render() methods are called during Page load. 30. Do Web controls support Cascading Style Sheets? All Web controls inherit a property named CssClass from the base class

System.Web.UI.WebControls.WebControl which can be used to control the


properties of the web control. 31. What namespaces are imported by default in ASPX files? The following namespaces are imported by default. Other namespaces must be imported manually using @ Import directives.

o o o o o o o o o o

System System.Collections System.Collections.Specialized System.Configuration System.Text System.Text.RegularExpressions System.Web System.Web.Caching System.Web.Security System.Web.SessionState

o o o

System.Web.UI System.Web.UI.HtmlControls System.Web.UI.WebControls

32. What classes are needed to send e-mail from an ASP.NET application? The classes MailMessage and SmtpMail have to be used to send email from an ASP.NET application. MailMessage and SmtpMail are classes defined in the .NET Framework Class Library's System.Web.Mail namespace. 33. Why do some web service classes derive from System.Web.WebServices while others do not? Those Web Service classes which employ objects like Application, Session, Context,

Server, and User have to derive from System.Web.WebServices. If it does not use
these objects, it is not necessary to be derived from it. 34. What are VSDISCO files? VSDISCO files are DISCO files that enable dynamic discovery of Web Services. ASP.NET links the VSDISCO to a HTTP handler that scans the host directory and subdirectories for ASMX and DISCO files and returns a dynamically generated DISCO document. A client who requests a VSDISCO file gets back what appears to be a static DISCO document. 35. How can files be uploaded to Web pages in ASP.NET? This can be done by using the HtmlInputFile class to declare an instance of an <input

type="file" runat="server"/> tag. Then, a

byte[] can be declared to read in the

data from the input file. This can then be sent to the server. 36. How do I create an ASPX page that periodically refreshes itself? The following META tag can be used as a trigger to automatically refresh the page every n seconds:

<meta http-equiv="Refresh" content="nn">


37. How do I initialize a TextBox whose TextMode is "password", with a password?

The TextBoxs Text property cannot be used to assign a value to a password field. Instead, its Value field can be used for that purpose.

<asp:TextBox Value="imbatman" TextMode="Password" ID="Password" RunAt="server" />


38. Why does the control's PostedFile property always show null when using HtmlInputFile control to upload files to a Web server? This occurs when an enctype="multipart/form-data" attribute is missing in the

<form> tag.
39. How can the focus be set to a specific control when a Web form loads? This can be achieved by using client-side script:

document.forms[0].TextBox1.focus ()
The above code will set the focus to a TextBox named TextBox1 when the page loads. 40. How does System.Web.UI.Page's IsPostBack property work?

IsPostBack checks to see whether the HTTP request is accompanied by postback data
containing a __VIEWSTATE or __EVENTTARGET parameter. If there are none, then it is not a postback. 41. What is WSDL? WSDL is an XML format for describing network services as a set of endpoints operating on messages containing either document-oriented or procedure-oriented information. The operations and messages are described abstractly, and then bound to a concrete network protocol and message format to define an endpoint. Related concrete endpoints are combined into abstract endpoints (services). (Source: http://www.w3.org/) 42. What is UDDI? UDDI stands for Universal Description, Discovery, and Integration. It is like an "Yellow Pages" for Web Services. It is maintained by Microsoft, IBM, and Ariba, and is designed to provide detailed information regarding registered Web Services for all vendors. The UDDI can be queried for specific Web Services.

43. Is it possible to generate the source code for an ASP.NET Web service from a WSDL? The Wsdl.exe tool (.NET Framework SDK) can be used to generate source code for an ASP.NET web service with its WSDL link. Example: wsdl /server http://api.google.com/GoogleSearch.wsdl. 44. Why do uploads fail while using an ASP.NET file upload control to upload large files? ASP.NET limits the size of file uploads for security purposes. The default size is 4 MB. This can be changed by modifying the maxRequestLength attribute of Machine.config's

<httpRuntime> element.
45. Describe the difference between inline and code behind. Inline code is written along side the HTML in a page. Code-behind is code written in a separate file and referenced by the .aspx page 51. Describe the role of inetinfo.exe, aspnet_isapi.dll andaspnet_wp.exe in the page loading process. inetinfo.exe is theMicrosoft IIS server running, handling ASP.NET requests among other things.When an ASP.NET request is received (usually a file with .aspx extension), the ISAPI filter aspnet_isapi.dll takes care of it by passing the request tothe actual worker process aspnet_wp.exe. 52. Can you explain the difference between an ADO.NET Dataset and an ADO Recordset? Valid answers are:

A DataSet can represent an entire relational database in memory, complete with tables, relations, and views.

A DataSet is designed to work without any continuing connection to the original data source.

Data in a DataSet is bulk-loaded, rather than being loaded on demand.

o o

There's no concept of cursor types in a DataSet. DataSets have no current record pointer You can use For Each loops to move through the data.

You can store many edits in a DataSet, and write them to the original data source in a single operation.

Though the DataSet is universal, other objects in ADO.NET come in different versions for different data sources.

53. Whats a bubbled event? When you have a complex control, like DataGrid, writing an event processing routine for each object (cell, button, row, etc.) is quite tedious. The controls can bubble up their eventhandlers, allowing the main DataGrid event handler to take care of its constituents. 54. What data types do the RangeValidator control support? Integer, String, and Date. 55. Explain what a diffgram is, and a good use for one? The DiffGram is one of the two XML formats that you can use to render DataSet object contents to XML. A good use is reading database data to an XML file to be sent to a Web Service. 56. What is the transport protocol you use to call a Web service? SOAP (Simple Object Access Protocol) is the preferred protocol. 57. What is ViewState? ViewState allows the state of objects (serializable) to be stored in a hidden field on the page. ViewState is transported to the client and back to the server, and is not stored on the server or any other external source. ViewState is used the retain the state of server-side objects between postabacks. 58. What does the "EnableViewState" property do? Why would I want it on or off?

It allows the page to save the users input on a form across postbacks. It saves the serverside values for a given control into ViewState, which is stored as a hidden value on the page before sending the page to the clients browser. When the page is posted back to the server the server control is recreated with the state stored in viewstate. 59. What are the different types of Session state management options available with ASP.NET? ASP.NET provides In-Process and Out-of-Process state management. In-Process stores the session in memory on the web server. This requires the a "sticky-server" (or no loadbalancing) so that the user is always reconnected to the same web server. Out-of-Process Session state management stores data in an external data source. The external data source may be either a SQL Server or a State Server service. Out-of-Process state management requires that all objects stored in session are serializable. 60. Differences Between XML and HTML? Anyone with a fundamental grasp of XML should be able describe some of the main differences outlined in the table below

XML
User definable tags Content driven End tags required for well formed documents Quotes required around attributes values Slash required in empty tags

HTML
Defined set of tags designed for web display Format driven End tags not required Quotes not required Slash not required

61. Give a few examples of types of applications that can benefit from using XML. There are literally thousands of applications that can benefit from XML technologies. The point of this question is not to have the candidate rattle off a laundry list of projects that they have worked on, but, rather, to allow the candidate to explain the rationale for choosing XML by citing a few real world examples. For instance, one appropriate answer is that XML allows content management systems to store documents independently of their format, which thereby reduces data redundancy. Another answer relates to B2B exchanges or supply chain management systems. In these instances, XML provides a mechanism for multiple companies to exchange data according to an agreed upon set of rules. A third

common response involves wireless applications that require WML to render data on hand held devices. 62. What is DOM and how does it relate to XML? The Document Object Model (DOM) is an interface specification maintained by the W3C DOM Workgroup that defines an application independent mechanism to access, parse, or update XML data. In simple terms it is a hierarchical model that allows developers to manipulate XML documents easily Any developer that has worked extensively with XML should be able to discuss the concept and use of DOM objects freely. Additionally, it is not unreasonable to expect advanced candidates to thoroughly understand its internal workings and be able to explain how DOM differs from an event-based interface like SAX. 63. What is SOAP and how does it relate to XML? The Simple Object Access Protocol (SOAP) uses XML to define a protocol for the exchange of information in distributed computing environments. SOAP consists of three components: an envelope, a set of encoding rules, and a convention for representing remote procedure calls. Unless experience with SOAP is a direct requirement for the open position, knowing the specifics of the protocol, or how it can be used in conjunction with HTTP, is not as important as identifying it as a natural application of XML. 64. Can you walk us through the steps necessary to parse XML documents? Superficially, this is a fairly basic question. However, the point is not to determine whether candidates understand the concept of a parser but rather have them walk through the process of parsing XML documents step-by-step. Determining whether a non-validating or validating parser is needed, choosing the appropriate parser, and handling errors are all important aspects to this process that should be included in the candidate's response. 65. What are possible implementations of distributed applications in .NET? .NET Remoting and ASP.NET Web Services. If we talk about the Framework Class Library, noteworthy classes are in System.Runtime.Remoting and System.Web.Services. 66. What are the consideration in deciding to use .NET Remoting or ASP.NET Web Services?

Remoting is a more efficient communication exchange when you can control both ends of the application involved in the communication process. Web Services provide an openprotocol-based exchange of informaion. Web Services are best when you need to communicate with an external organization or another (non-.NET) technology. 67. Whats a proxy of the server object in .NET Remoting? Its a fake copy of the server object that resides on the client side and behaves as if it was the server. It handles the communication between real server object and the client object. This process is also known as marshaling. 68. What are remotable objects in .NET Remoting? Remotable objects are the objects that can be marshaled across the application domains. You can marshal by value, where a deep copy of the object is created and then passed to the receiver. You can also marshal by reference, where just a reference to an existing object is passed. 69. What are channels in .NET Remoting? Channels represent the objects that transfer the other serialized objects from one application domain to another and from one computer to another, as well as one process to another on the same box. A channel must exist before an object can be transferred. 70. What security measures exist for .NET Remoting in System.Runtime.Remoting? None. Security should be taken care of at the application level. Cryptography and other security techniques can be applied at application or server level. 71. What is a formatter? A formatter is an object that is responsible for encoding and serializing data into messages on one end, and deserializing and decoding messages into data on the other end. 72. Choosing between HTTP and TCP for protocols and Binary and SOAP for formatters, what are the trade-offs? Binary over TCP is the most effiecient, SOAP over HTTP is the most interoperable. 73. Whats SingleCall activation mode used for?

If the server object is instantiated for responding to just one single request, the request should be made in SingleCall mode. 74. Whats Singleton activation mode? A single object is instantiated regardless of the number of clients accessing it. Lifetime of this object is determined by lifetime lease. 75. How do you define the lease of the object? By implementing ILease interface when writing the class code. 76. Can you configure a .NET Remoting object via XML file? Yes, via machine.config and application level .config file (or web.config in ASP.NET). Application-level XML settings take precedence over machine.config. 77. How can you automatically generate interface for the remotable object in .NET with Microsoft tools? Use the Soapsuds tool.

DB Questions:
Q: What is SQL?

A: SQL stands for 'Structured Query Language'.


TOP

Q:

What is SELECT statement?

A: The SELECT statement lets you select a set of values from a table in a database. The values selected from the database table would depend on the various conditions that are specified in the SQL query.
TOP

Q:

How can you compare a part of the name rather than the entire name?

A: SELECT * FROM people WHERE empname LIKE '%ab%' Would return a recordset with records consisting empname the sequence ' ab' in empname .
TOP

Q:

What is the INSERT statement?

A: The INSERT statement lets you insert information into a database.

TOP

Q:

How do you delete a record from a database?

A: Use the DELETE statement to remove records or any particular column values from a database.
TOP

Q:

How could I get distinct entries from a table?

A: The SELECT statement in conjunction with DISTINCT lets you select a set of distinct values from a table in a database. The values selected from the database table would of course depend on the various conditions that are specified in the SQL query. Example SELECT DISTINCT empname FROM emptable
TOP

Q:

How to get the results of a Query sorted in any order?

A: You can sort the results and return the sorted results to your program by using ORDER BY keyword thus saving you the pain of carrying out the sorting yourself. The ORDER BY keyword is used for sorting. SELECT empname, age, city FROM emptable ORDER BY empname
TOP

Q: A:

How can I find the total number of records in a table? You could use the COUNT keyword , example

SELECT COUNT(*) FROM emp WHERE age>40


TOP

Q:

What is GROUP BY?

A: The GROUP BY keywords have been added to SQL because aggregate functions

(like SUM) return the aggregate of all column values every time they are called. Without the GROUP BY functionality, finding the sum for each individual group of column values was not possible.
TOP

Q:

What is the difference among "dropping a table", "truncating a table" and "deleting all records" from a table.

A: Dropping : (Table structure + Data are deleted), Invalidates the dependent objects ,Drops the indexes Truncating: (Data alone deleted), Performs an automatic commit, Faster than delete Delete : (Data alone deleted), Doesnt perform automatic commit
TOP

Q:

What are the Large object types suported by Oracle?

A: Blob and Clob.


TOP

Q:

Difference between a "where" clause and a "having" clause.

A: Having clause is used only with group functions whereas Where is not used with.
TOP

Q: A:

What's the difference between a primary key and a unique key? Both primary key and unique enforce uniqueness of the column on which they are defined. But by default primary key creates a clustered index on the column, where are unique creates a nonclustered index by default. Another major difference is that, primary key doesn't allow NULLs, but unique key allows one NULL only.
TOP

Q:

What are cursors? Explain different types of cursors. What are the

disadvantages of cursors? How can you avoid cursors? A: Cursors allow row-by-row prcessing of the resultsets. Types of cursors: Static, Dynamic, Forward-only, Keyset-driven. See books online for more information. Disadvantages of cursors: Each time you fetch a row from the cursor, it results in a network roundtrip, where as a normal SELECT query makes only one rowundtrip, however large the resultset is. Cursors are also costly because they require more resources and temporary storage (results in more IO operations). Furthere, there are restrictions on the SELECT statements that can be used with some types of cursors. Most of the times, set based operations can be used instead of cursors.
TOP

Q:

What are triggers? How to invoke a trigger on demand?

A: Triggers are special kind of stored procedures that get executed automatically when an INSERT, UPDATE or DELETE operation takes place on a table. Triggers can't be invoked on demand. They get triggered only when an associated action (INSERT, UPDATE, DELETE) happens on the table on which they are defined. Triggers are generally used to implement business rules, auditing. Triggers can also be used to extend the referential integrity checks, but wherever possible, use constraints for this purpose, instead of triggers, as constraints are much faster.

Q: A:

What is a join and explain different types of joins. Joins are used in queries to explain how different tables are related. Joins also let you select data from a table depending upon data from another table. Types of joins: INNER JOINs, OUTER JOINs, CROSS JOINs. OUTER JOINs are further classified as LEFT OUTER JOINS, RIGHT OUTER JOINS and FULL OUTER

JOINS.

TOP

Q:

What is a self join?

A: Self join is just like any other join, except that two instances of the same table will be joined in the query.

Most frequently asked Interview Questions Why have you selected to join us? I always longed to work with a company. I am familiar and whose products I have used and trusted. (Narrate briefly how you can prove your statement. Do good research on the company before facing the interview) Where do you want to be in 5 years? I would like to be frank. Judge me from the work and I am sure you will put me right where I want to be. Note : Do not over ambitious and speak in a way that you are not satisfied with your current job which you have applied for. Describe your ideal career? Talk of what you enjoy most your skills and natural talents. Do not specify your goal and any job title. Tell me something about yourself Do not just repeat what you have given in your resume. Be ready with the answer, a talent or something you did out of the ordinary. You can sound it as unique or give it a touch of your personality. How did you apply for the job? Be specific and give a straight answer of how you came to know about the vacancy. If it was advertised specify how you came across it. Why do you want to work here? Have a research done about the company / organization Give just one or two reasons why you are interested. You can add these points (1) company's reputation(2) desire to join the specific field of interest. Don't you think that you are over qualified for this job? (This question is put to you to puzzle a candidate. Be calm and answer the question with a positive and confident approach) Answer in the negative My experience and qualification will just help me to do the job better. Moreover I am at establishing a long term relationship which my qualification will favor me to handle more responsibilities and help me to rise to your expectations. What competition do you see if you take up this job? When you answer, clearly show that you have researched carefully and acquired more in-depth knowledge about the company.

Enumerate some positive and negative traits of the company and their competitions. Feel confident to show that competition is not an unexpected one. What would you do if our competitor offer you a job? Show your confidence in the company's worth, stress the point 'I would say No' by pointing out some qualities you found out in your research about the company. Why are you leaving your current job? You should give two or three reasons for leaving. Lack of challenge, focus on the limitations etc. Point out your ambition to prove your worth confidently. What salary do you expect? (This is a tricky question to be answered carefully. Interviewers often accept people with realistic financial goals.) If you mention a salary that is low it shows that you are not up to the mark. If you mention too high you have ruined a chance to get a job. So the best is to ask for the salary they offer and then show your capacity, how your experience and qualification rate with what is offered. What interests you most about the job? (Show how you believe that you are most suited to the post. If you can find out an earlier experience it would be fine.) If you have experience, you can quote some similarities from the past and how you achieved success. What is your dream job? Make the question a chance to display your aptitude that fits the job you have applied for. Display how your skills can be put into suite the challenges and modern trends. Why should we take you? This is often the concluding Question( Some tips to the answer) Don'ts : Do not repeat your resume Do not enumerate your experience Do's: Prove Your interest Be positive in your answer Be prepared with confidence in what you are going to say Make sure the answer comes from the bottom of your heart. If you have unlimited time and financial resources how would you spend them Even though it is tempting to discuss thing you would do for fun, answer these questions with strict coherence with the job you have applied for. Egg: If you are into teaching, touch on your interest in adult literary programmers and other teaching oriented aspects. How is your experience relevant to this job? Sketch out some similar work which you have done in your previous job. It should be something justifiable by you, even though others may think differently. You can even ask some question where you can prove that your experience stands in good strand. How could you enrich your current job? Design your answer to show that you are still interested in the job and you point

out a few instances where improvements can be made. Convince the person that you can be relied on and you will not get bored with what you do with time. How many days where you absent from work? Give a solid attendance record. But at the same time show you were not responsible . Convince that you are willing to take up responsibility. Egg: I was absent 7 days. 4 days due to conjunctivitis and one day due to the death of a close relative and 2 days had to accompany my parents for their check up. Tell me about a time you had to deal with an irritate customer, how did you handle the solution? The question is aimed at you to hear from yourself how you handle people when others loose their temper. Here the best answer you can give to describe a situation and show how you handled it with maturity and diplomacy. How do you manage stress in your daily work? You can describe a situation of how you had managed stress in your previous work if you had one or narrate how you can find time in your busy schedule to relax a bit. Describe a professional skill you have developed in you? It will be better if you be specific with your answer. Narrate some thing you worked for to fulfill your work more efficiently. Describe how you attended a seminar and brought about the changed in your work. How do you manage your work to meet dead lines Answer the question effectively . Describe in detail how your plan out, set priorities, determine schedules, how you follow out to see the progress and meet the dead line. What books you read? Do not ever say you have read a book which you have not. Here your suggestion can lead the interviewer to know your taste and interest. It can also hint on how you take your profession. What are the most rewarding aspect of you most recent job? The best way to answer it is to focus in what you do efficiently, keep in mind the position you are applying for. What aspects of this job do you feel most confident? Narrate what you are good and match it with the present job requirements. You may ask questions to clear if that particular skill will add benefit to the company What can motivate you? The Interview expects an answer to know you better .Keep in tune with your job and work you have applied for. Do not beat around the bush. Whom do you choose as your reference and why? Name the references and how you know them. You can also show that you are a person who care for relationships and how you stand in good stead with them. Can we call all your references? If you have given your present boss as your reference you can tell that you prefer to call your current boss only after you receive a confirmed offer as he may not like you changing the job.

Do you have any questions? Be prepared to answer this question in advance. List out a few questions you wish to know more about. After you have faced the interview your logic will guide you to ask the question you really want to know more about. How do you handle criticism Here the interview is on the look out for your accountability and professional character. Simply explain a situation that caused a problem and narrate how you faced it and overcame it. Tell me about a situation that upset you at work Her the interview is trying to find out how you deal with pressure. Be diplomatic and objective with your answer. Prepare the answer so that the answer comes as a smooth reassurance Have you ever been fired? If the answer is negative, the answer is simple. But if you have been fired, you need to be prepared to the answer the follow up questions that my come up. If the termination was for reason beyond your control narrate it. If not do not try justifying yourself. If you had a fault, admit it and convince the interview that you have corrected it. Do you change your job frequently? Be honest and if you had changed the jobs frequently there could be ample reasons to do so. Put them up as contracts that expired at the stipulated time. Be convincing when you say that you long to have a steady and long lasting relationship with the present job you are applying for. What is the toughest job you had? Avoid making any negative statements especially about your previous employer. Change the question with a positive outlook and answer it with a satisfied remark of your outcome. How do you handle tension? Answer with ease that in any job and any situation that tension is a part of it. Relax before putting the f act you are very used to such type of works. What is your current salary? Do not bluff. Be specific on the answer. Do not hesitate to say the benefits you enjoyed in the previous job. It may be verified so never mention the benefits you have not got. Will you be willing to accept transfer? Tell you preference but do not specify that you will be not willing to work else where. What is your weakness? Turn the question to a positive one. Simply say that you are a perfectionist and your commitment to output of high quality perfect work. Say this is your weakness
Top

1. Tell me about yourself


Suggested Response: Thats a big question. Let me briefly outline the things I have done that I think are relevant to this job opening.

2. Why are you interested in our company?


Suggested Response: (Briefly mention whatever you know about the firm) From what I have learnt so far about the companys approach to customers, I know I can make a significant contribution to ABC Associates Inc. The organizations commitment towards its goals will give me enough challenging opportunities.

Top

3. Why are you interested in this position?


Suggested Response: (Related to Q2 above. It is advantageous to know about the job profile before the interview. In case you are aware, you must ask during the interview) I have very general information about the job. I wonder if you could give me some more details?"

Top

4. Where do you see yourself going?


Suggested Response: (Be firm and concrete in your answer) I would like to expand my ability to solve technical problems for customers.

Top

5. What special qualities do you bring to this job?


Suggested Response: (Distinguish between quality and skills. Mention your unique qualities as well as those widely held) With a 4 plus year work experience, I can adapt to environments & peers with greater ease. I am creative, imaginative and when required am able to initiate projects on my own.

Top

6. What are your greatest strengths?


Suggested Response: (Respond by describing those strengths that correspond to what the employer is looking for)

Top

7. What are your greatest weaknesses?


Suggested Response: (Emphasize areas in which you are trying to improve) I am working on improving my ability to prepare formal proposals.

Top

8. Do you perform well under pressure?


Suggested Response: The obvious answer is "Very well." To take greatest advantage of the lead, ask what kind of pressure there is and focus your answer on the response to that question. This will also give you a better picture of the job.

Top

9. Do you prefer to work on you own or with others? Suggestion: "I have no problem with either, depending on what needs to be done."
Suggested Response: I have no problems with either, depending on what needs to be done.

Top

10. I see that you majored in liberal arts. Did you take any business courses.
Suggested Response: (Only narrow thinkers insist that the major field of study should match the job. A liberal arts background can be applied to business when refocused) "Yes, I did. I enjoyed the business course I took and did well too. Also, given the rapid changes in global business, a strong historical perspective from my liberal Arts work background should be very useful.

Top

11. I see you finished only three years of college. Do you plan to complete your degree work?
Suggested Response: (Often you will need to override a bias that a degree guarantees on the job success) Counter this: I understand that you are looking for someone with a degree. I understand that. I left college for financial reasons and found that my work experience served me well and would help me learn on the job more efficiently and effectively. However, I do plan to complete my degree focusing on courses that will be most useful to this job once I settle into a new position.

Top

12. Tell me about your extracurricular activities


Suggested Response: (Mention any activities where skills developed and qualities could be useful at work -- resolving conflict, organizing projects, budgeting, teamwork, etc.) If you had few activities, you could say: Most of my time outside class was spent supporting my school expenses. This experience helped me build a practical approach be useful for a job.

Top

13. I see that you finished around the middle of your class.
Suggested Response: To respond to a less than average performance say: My grades were not what they could have been. Those were years of change, and it took me a while to organize myself in an unfamiliar environment. Though my grades were low, I now know what it takes to get a job done. I can make a major impact in this job and will surprise you with the results.

Top

14. Tell me about your last job.


Suggested Response: Emphasize the relationship between your past accomplishments and duties and the responsibilities of the prospective job. Stress more on accomplishments rather than responsibilities.

Top

15. Why did you leave your last job?


Suggested Response: (This is a key question) - If you left involuntarily, The work did not utilize my strengths optimally, which was working with people. My mistake was that I did not remedy the situation once I realized the same. - If you are leaving you last job voluntarily, I enjoyed my work and the people. However, I am now interested in a job that allows me to make a bigger contribution to the organization with more challenging tasks and assignments.

Top

16. What were your biggest accomplishments in your last job?


Suggested Response: (Be prepared to answer with results you produced rather than duties you were given) Point out specific items from your resume.

Top

17. How would your last boss describe you?


Suggested Response: - If you performance was excellent: She is eager to recommend me, although sorry to see me go. Please call her. - - If there is a problem (Name a person you know will evaluate you favorably): The relationship could have been better. My boss was a good manager, but we had differences of opinion. I know you would like a reference. Yu can get in touch with Mr Sharma on 24225646.

Top

18. Looking back at your last job, where do you think your performance could have been improved?
Suggested Response: Evaluate your past achievements and apply them to what you can do in the future.

Top

19. What are you r long-term goals?


Suggested Response: Organizations today prefer the employees who make a continuous improvement in the quality and scope of their work rather than take rigid steps up an organizational ladder. Once I have a sound knowledge of the company products in the Product Development wing, may be 3 years hence I would like to switch to Sales & Marketing given my ability to drive sales & get numbers.

Top

20. Are you interviewing with other companies?


Suggested Response: (Let your interviewer know you are competitive and have other opportunities.) Wrong answer: No, this is the only place I am looking. - A better answer: I am looking at several different opportunities. What I see here so far seems good.

Top

Você também pode gostar