TableView.edit() is not working in JavaFX 2.1

Hi All,
Yesterday i have updated my javafx installation from JavaFX 2.0.2 to JavaFX 2.1 b07
After that I am facing issues with TableView.edit() method. It stops working and not making the cell as editable.
In the below example , select the first cell, and on click of 'tab' , the next cell is changed to editing state..and goes on for all the cells. If it reaches the end column, the first cell of the next row is selected.
You can find the sscce example below. The same code is working well in 2.0.2 build.
import javafx.application.Application;
import javafx.beans.property.SimpleStringProperty;
import javafx.beans.value.ChangeListener;
import javafx.beans.value.ObservableValue;
import javafx.collections.FXCollections;
import javafx.collections.ObservableList;
import javafx.event.EventHandler;
import javafx.scene.Node;
import javafx.scene.Scene;
import javafx.scene.control.Label;
import javafx.scene.control.TableCell;
import javafx.scene.control.TableColumn;
import javafx.scene.control.TableView;
import javafx.scene.control.TextField;
import javafx.scene.control.cell.PropertyValueFactory;
import javafx.scene.input.KeyCode;
import javafx.scene.input.KeyEvent;
import javafx.scene.input.MouseEvent;
import javafx.scene.layout.StackPane;
import javafx.stage.Stage;
import javafx.util.Callback;
import com.sun.javafx.scene.control.skin.TableRowSkin;
public class StartEditDemo extends Application {
    public static void main(String[] args) {
        Application.launch(args);
    public void start(Stage primaryStage) {
        primaryStage.setTitle("Start Edit Test");
        StackPane root = new StackPane();
        Scene scene = new Scene(root, 600, 150);
        primaryStage.setScene(scene);
        primaryStage.show();
        configureTable(root);
     private void configureTable(StackPane root) {
          final ObservableList<MyDomain> data = FXCollections.observableArrayList(
                     new MyDomain("Apple","This is a fruit","Red"),
                     new MyDomain("PineApple","This is also a fruit","Yellow"),
                     new MyDomain("Potato","This is a vegetable","Brown")
          TableView<MyDomain> table = new TableView<MyDomain>();
          TableColumn<MyDomain,String> titleColumn = new TableColumn<MyDomain,String>("Name");
          titleColumn.setPrefWidth(150);
          titleColumn.setCellValueFactory(new PropertyValueFactory<MyDomain,String>("name"));
          titleColumn.setCellFactory(getEditableCallBack(1));
          TableColumn<MyDomain,String> descCol = new TableColumn<MyDomain,String>("Description");
          descCol.setPrefWidth(150);
          descCol.setCellValueFactory(new PropertyValueFactory<MyDomain,String>("description"));
          descCol.setCellFactory(getEditableCallBack(2));
          TableColumn<MyDomain,String> colorCol = new TableColumn<MyDomain,String>("Color");
          colorCol.setPrefWidth(150);
          colorCol.setCellValueFactory(new PropertyValueFactory<MyDomain,String>("color"));
          colorCol.setCellFactory(getEditableCallBack(0));
          table.getColumns().addAll(titleColumn,descCol,colorCol);
          table.setItems(data);
          root.getChildren().add(table);
     private Callback<TableColumn<MyDomain, String>, TableCell<MyDomain, String>> getEditableCallBack(final int nextColumn) {
          /* Cell factory call back object */
          return new Callback<TableColumn<MyDomain, String>, TableCell<MyDomain, String>>() {
               @Override
               public TableCell<MyDomain, String> call(TableColumn<MyDomain, String> p) {
                    return new EditableCell<MyDomain>(nextColumn);
     public class EditableCell<T> extends TableCell<T, String> {
          private TextField textBox;
          private Label label;
          private int nextCol;
          public EditableCell(int nextcolumn) {
               this.label = new Label();
               this.nextCol = nextcolumn;
               /* Enabling to get the edit cell on single mouse click over the cell. */
               this.setOnMouseClicked(new EventHandler<MouseEvent>() {
                    @Override
                    public void handle(MouseEvent event) {
                         startEdit();
          @Override
          public void startEdit() {
               super.startEdit();
               if (isEmpty()) {
                    return;
               if (textBox == null) {
                    createTextBox();
               } else {
                    textBox.setText(getItem());
               setGraphic(textBox);
               textBox.requestFocus();
               textBox.selectAll();
               setEditable(true);
          @Override
          public void updateItem(String item, boolean empty) {
               super.updateItem(item, empty);
               if (!isEmpty()) {
                    if (textBox != null) {
                         textBox.setText(item);
                    label.setText(item);
                    setGraphic(label);
          private void createTextBox() {
               textBox = new TextField(getItem());
               /* On focus of the textbox, selecting the row.*/
               textBox.focusedProperty().addListener(new ChangeListener<Boolean>() {
                    @Override
                    public void changed(ObservableValue<? extends Boolean> paramObservableValue,Boolean paramT1, Boolean paramT2) {
                         if(paramT2){
                              EditableCell.this.getTableView().getSelectionModel().select(EditableCell.this.getIndex());
               textBox.setOnKeyReleased(new EventHandler<KeyEvent>() {
                    @Override
                    public void handle(KeyEvent t) {
                         if (t.getCode() == KeyCode.ENTER) {
                              callAction();
                         } else if (t.getCode() == KeyCode.ESCAPE) {
                              cancelEdit();
               textBox.setOnKeyPressed(new EventHandler<KeyEvent>() {
                    @Override
                    public void handle(KeyEvent t) {
                         if (t.getCode() == KeyCode.TAB){
                              if(nextCol!=0){
                                   // Making the next as editable and focused.
                                   TableColumn nextColumn = getTableView().getColumns().get(nextCol);
                                   getTableView().edit(getTableRow().getIndex(), nextColumn);
                                   getTableView().getFocusModel().focus(getTableRow().getIndex(), nextColumn);
                              }else{
                                   // Making the next row as editable.
                                   if(getTableRow().getIndex()<getTableView().getItems().size()){
                                        TableColumn nextColumn = getTableView().getColumns().get(0);
                                        getTableView().edit(getTableRow().getIndex()+1, nextColumn);
                                        getTableView().getFocusModel().focus(getTableRow().getIndex()+1, nextColumn);
          @Override
          public void cancelEdit() {
               super.cancelEdit();
               textBox = null;
               setGraphic(label);
          @Override
          public void commitEdit(String t) {
               super.commitEdit(t);
               setItem(t);
               textBox = null;
               label.setText(t);
               setGraphic(label);
          @SuppressWarnings("rawtypes")
          public ObservableList<Node> getAllCellsOfSameRow(TableCell cell) {
               TableRowSkin rowSkin = (TableRowSkin) cell.getParent();
               return rowSkin.getChildren();
          public void callAction() {
               TableRowSkin<T> rowSkin = (TableRowSkin<T>) this.getParent();
               ObservableList<Node> cells = rowSkin.getChildren();
               for (Node node : cells) {
                    EditableCell<T> cell = (EditableCell<T>) node;
                    cell.commitEdit(cell.getTextBox().getText());
          public TextField getTextBox() {
               return this.textBox;
          public Label getLabel() {
               return this.label;
     public class MyDomain{
          private SimpleStringProperty name = new SimpleStringProperty();
          private SimpleStringProperty description = new SimpleStringProperty();
          private SimpleStringProperty color = new SimpleStringProperty();
          public MyDomain(String name, String desc, String color){
               this.name.set(name);
               this.description.set(desc);
               this.color.set(color);
          public String getDescription() {
             return description.get();
          public SimpleStringProperty descriptionProperty(){
              return description;
         public String getName() {
             return name.get();
         public SimpleStringProperty nameProperty(){
              return name;
         public String getColor() {
             return color.get();
         public SimpleStringProperty colorProperty(){
              return color;
}Regards,
Sai Pradeep Dandem.

As jsmith notes, the best place to report bugs is directly into the Jira tracker at http://javafx-jira.kenai.com. If you put it in the 'runtime' area against the 'controls' component, it'll end up on my plate.
Thanks!
Jonathan

Similar Messages

  • I had to erase my hard drive and then reinstall everything back from my passport external hard drive. Now my iPhoto edit is not working. I get a blank screen when I want to edit. The photos show up in the library but I cannot edit them. Help?

    I had to erase my hard drive and then reinstall everything back from my passport external hard drive. Now my iPhoto edit is not working. I get a blank screen when I want to edit. The photos show up in the library but I cannot edit them. Help?

    There are several possible causes for the Black Screen issue
    *1. Permissions in the Library* : Back Up and try rebuild the library: hold down the command and option (or alt) keys while launching iPhoto. Use the resulting dialogue to rebuild. Include the option to check and repair permissions.
    *2. Minor Database corruption*: Back Up and try rebuild the library: hold down the command and option (or alt) keys while launching iPhoto. Use the resulting dialogue to rebuild.
    *3. A Damaged Photo*: Select one of the affected photos in the iPhoto Window and right click on it. From the resulting menu select 'Show File (or 'Show Original File' if that's available). Will the file open in Preview? If not then the file is damaged. Time to restore from your back up.
    *4. A corrupted iPhoto Cache*: Trash the com.apple.iPhoto folder from HD/Users/Your Name/Library/ Caches...
    *5. A corrupted preference file*: Trash the com.apple.iPhoto.plist file from the HD/Users/ Your Name / library / preferences folder. (Remember you'll need to reset your User options afterwards. These include minor settings like the window colour and so on. Note: If you've moved your library you'll need to point iPhoto at it again.)
    If none of these help:
    As a Test:
    Hold down the option (or alt) key key and launch iPhoto. From the resulting menu select 'Create Library'
    Import a few pics into this new, blank library. Is the Problem repeated there?
    Regards
    TD

  • My digital editions saying not working but I uninstalled and reinstalled and it is still not working, any ideas?

    My digital editions saying not working but I uninstalled and reinstalled and it is still not working, any ideas?

    Hi imtheozzman, check if your security software is the problem, see : [https://support.mozilla.org/en-US/kb/configure-firewalls-so-firefox-can-access-internet Configure firewalls so that Firefox can access the Internet ]
    thank you

  • External editing does not work in LR4 (??)

    external editing does not work in LR4 (updated from LR3 a few days ago)
    has anyone an idea to solve this problem?
    Thank you.
    Regards
    Priska

    priskaleutenegger wrote:
    no ..
    when I send the RAW Document for external editing (Elements 10) nothing happens at all ... zero :-(
    a friend of mine has the same problem - also updated from LR3 to LR4, external editor: elements 10
    Which process version is the image you're trying to edit externally? 
    You right-click (I'm assuming PC, can't help Macs), there should be a context menu option "Edit in".  You choose that, and there's an option for Elements 10 or not? 
    If so, what happens when you select it?  Do you get any further message?
    If not, you may have to go to Edit menu, preferences, External Editing tab and create a preset for Elements.  In the "Additional External Editor" area, click "Choose" and navigate to wherever Elements is on your machine and you can create a new external editor. 

  • Sharepoint 2013 list view quick edit does not work with out remote API permissions

    sharepoint 2013 list view quick edit does not work with out remote API permissions.
    When I give Use Remote Interfaces  -  Use SOAP, Web DAV, the Client Object Model or SharePoint Designer interfaces to access the Web site it works which is not an ideal situation..
    MCTS Sharepoint 2010, MCAD dotnet, MCPDEA, SharePoint Lead

    This is true. If you use Fiddler to watch the requests from the list view quick edit you can see CSOM calls. For example when changing a value in a cell, when you tab out you will see the SetFieldValue and Update method calls on the list item.
    Blog | SharePoint Field Notes Dev Tools |
    SPFastDeploy | SPRemoteAPIExplorer

  • Javafx tableview onscroll event not working

    tableview onscroll event is not working and how to add scrollbal event on tableview.could u help me

    As jsmith notes, the best place to report bugs is directly into the Jira tracker at http://javafx-jira.kenai.com. If you put it in the 'runtime' area against the 'controls' component, it'll end up on my plate.
    Thanks!
    Jonathan

  • TableView setEditable is not working

    Hello, the method setEditable(boolean value) in TabeView is not working.
    I read the documentation and I'm supposed to use de enter key, but it does not work. I also read in this forum, and I found that a bug was reported, but that forum thread was issued almost a year ago. So I was wondering if it is my javafx version that is giving me the problem.
    Thanks in advance.

    Hello James, thanks for your answer.
    I have used that same code, and it does not work for me. I even tried invoking setEditable on the TableColumns references.
    And also I have updated JDK to the last version. 1.7.0_21.
    Look:
    * To change this template, choose Tools | Templates
    * and open the template in the editor.
    package tableviewsample;
    import javafx.application.Application;
    import javafx.collections.FXCollections;
    import javafx.collections.ObservableList;
    import javafx.event.ActionEvent;
    import javafx.event.EventHandler;
    import javafx.geometry.Insets;
    import javafx.scene.Group;
    import javafx.scene.Scene;
    import javafx.scene.control.Button;
    import javafx.scene.control.Label;
    import javafx.scene.control.TableColumn;
    import javafx.scene.control.TableView;
    import javafx.scene.control.TextField;
    import javafx.scene.control.cell.PropertyValueFactory;
    import javafx.scene.layout.HBox;
    import javafx.scene.layout.VBox;
    import javafx.scene.text.Font;
    import javafx.stage.Stage;
    * @author Eugenio
    public class TableViewSample extends Application {
        private TableView table = new TableView();
        @Override
        public void start(Stage stage) {
            Scene scene = new Scene(new Group());
            stage.setTitle("Table View Sample");
            stage.setWidth(400);
            stage.setHeight(500);
            final Label label = new Label("Address Book");
            label.setFont(new Font("Arial", 20));
            TableColumn firstNameCol = new TableColumn("First Name");
            TableColumn lastNameCol = new TableColumn("Last Name");
            TableColumn emailCol = new TableColumn("Email");
            emailCol.setMinWidth(200);
            firstNameCol.setEditable(true);
            lastNameCol.setEditable(true);
            emailCol.setEditable(true);
            table.setEditable(true);
            table.getColumns().addAll(firstNameCol, lastNameCol, emailCol);
            final ObservableList<Person> data = FXCollections.observableArrayList(
                    new Person("Jacob", "Smith", "[email protected]"),
                    new Person("Isabella", "Johnson", "[email protected]"),
                    new Person("Ethan", "Williams", "[email protected]"),
                    new Person("Emma", "Jones", "[email protected]"),
                    new Person("Michael", "Brown", "[email protected]"));
            firstNameCol.setCellValueFactory(new PropertyValueFactory<Person, String>("firstName"));
            lastNameCol.setCellValueFactory(new PropertyValueFactory<Person, String>("lastName"));
            emailCol.setCellValueFactory(new PropertyValueFactory<Person, String>("email"));
            table.setItems(data);
            final TextField addFirstName = new TextField();
            addFirstName.setPromptText("First Name");
            addFirstName.setMaxWidth(firstNameCol.getPrefWidth());
            final TextField addLastName = new TextField();
            addLastName.setMaxWidth(lastNameCol.getPrefWidth());
            addLastName.setPromptText("Last Name");
            final TextField addEmail = new TextField();
            addEmail.setMaxWidth(emailCol.getPrefWidth());
            addEmail.setPromptText("Email");
            final Button addButton = new Button("Add");
            addButton.setOnAction(new EventHandler<ActionEvent>() {
                @Override
                public void handle(ActionEvent e) {
                    data.add(new Person(
                            addFirstName.getText(),
                            addLastName.getText(),
                            addEmail.getText()));
                    addFirstName.clear();
                    addLastName.clear();
                    addEmail.clear();
            final HBox hb = new HBox();
            hb.getChildren().addAll(addFirstName, addLastName, addEmail, addButton);
            hb.setSpacing(3);
            final VBox vbox = new VBox();
            vbox.setSpacing(5);
            vbox.setPadding(new Insets(10, 0, 0, 10));
            vbox.getChildren().addAll(label, table, hb);
            ((Group) scene.getRoot()).getChildren().addAll(vbox);
            stage.setScene(scene);
            stage.show();
         * The main() method is ignored in correctly deployed JavaFX application.
         * main() serves only as fallback in case the application can not be
         * launched through deployment artifacts, e.g., in IDEs with limited FX
         * support. NetBeans ignores main().
         * @param args the command line arguments
        public static void main(String[] args) {
            launch(args);
    }

  • Edit link not working in IE 10 browser after fetching 5000+ rows

    Hi,
    OBIEE 11g 11.1.1.7.150120
    IE 10
    We have an issue where IE browser misbehaves after fetching 5000+ rows.  By misbehaves, I mean the browser responds extremely slow while scrolling up, down, left, right.  Worst behavior is the "Edit" link on the report does not work.  There is no action!  If I navigate to the my home page and try to edit some other report/analysis, same -- no action.  I am able to run other reports but cannot edit any one of them.  Edit link does not work for any report going forward.  If I log-out properly, close the browser window and log back in, only then am I able to edit reports.
    I tried clearing the browser cache several times but this keeps happening.
    This issue is specific to IE only, not Firefox or Chrome. However IE 10 is the corporate browser and switching to any other browser is not a solution.
    Has anybody faced this issue?  Any help in troubleshooting will be greatly appreciated.
    Thanks.

    Hi skull,
    Just to make it simpler ... don't start touching your settings for java heap memory or your account setting to define the default tab when editing an analysis as they have no link with your issue.
    Setting the criteria tab .... well ... as you can't click the edit link you will never get till the criteria tab, so it will not help you a lot (but it's good to set it in case you often edit huge analysis with tons of rows as it doesn't fire a query every time you open it).
    For the java heap memory I can't really see how Chrome or Firefox would behave in a different way on a server side setting like that one.
    So to avoid having multiple other nice issues later don't change settings around without being sure 100% it will have an impact on what you are debugging.

  • Edit button not working on a publishing site on sub-level pages only (SP 2010)

    When I create a top level page, the Edit button/edit page works fine with checkout and checkin.  However, once I create a sub-level page - that is I create a second page within the first page then the edit button does not work and there is a message
    displayed on the ribbon in yellow background: 
    Status:
    Published and visible to all readers 
    I have read all responses to similar posts and tried them but problem is not resolved. 
    I don't have workflow turned on, I don't have content approval, yet, issue is still there. 
    Please help. 

    Hi Wynnit,
    Pinning will not work in most devices - desktop only. To do the same in your device layouts you need to use the scroll motion tools.
    To add code to the <head> tags in Muse you go to your page properties and under the meta tab you will see a section you can paste your code.
    When  you do push live with Business Catalyst you will be given prompts as to how to go about it.

  • BB8830 World EDition - Verizon - Not working with VODAFONE SIM card

    Hi,
    I bought BB8830 world edition from US to India. It works fine with Airtel Network. But its not working With Vodafone SIM card.
    Option--security option-- Certificates-- Vodafone WLTS(x - red cross mark) is there. It expired on 2008.
    Please let me know any one to find out solution for this. whether I need to updated the BB OS or how it works with vodafone SIM..
    Please post the answer in [email protected]  also.
    Thanks in advance.

    If the phone is unlocked, then contact Vodafone.  They are the carrier you are trying to use, so only they can really help you.

  • Adobe Elements 9 Full edits do not work

    While editing photos in Elements 9 all of a sudden the Full Edit tab and also the Create tabs do not work, what went wrong and how do I get them to work?

    OK, open the Organizer, then click the icon for the Unwelcome Screen:
    Hold down your Ctrl+Alt+Shift keys while clicking on the "Edit" button:
    Keep the keys held down until the "loading" animation stops.  Then close all the PSE windows and you'll see the prompt for deletion window.
    Ken

  • Adobe digital editions will not work

    Digital editions 2.0 will downlaod books but will not allow me to transfer to my e-reader.  It does not show the e-reader in the left hand side as it should.  Also each time I use it it asks to authorise my computer.

    It is on Windows 8.
          From: shreya <[email protected]>
    To: Marilyn Kelly <[email protected]>
    Sent: Thursday, March 26, 2015 1:06 AM
    Subject:  I see Adobe Digital Editions on desktop but when I click on it it will not open. I have uninstalled and re-installed Adobe Digital Editions but it still will not work. I used it a few days ago and it worked but won't now.
    I see Adobe Digital Editions on desktop but when I click on it it will not open. I have uninstalled and re-installed Adobe Digital Editions but it still will not work. I used it a few days ago and it worked but won't now.
    created by shreya in Adobe Digital Editions - View the full discussionYou are facing this problem on Windows or Mac ? and which version? Please let us know. Thanks If the reply above answers your question, please take a moment to mark this answer as correct by visiting: https://forums.adobe.com/message/7351396#7351396 and clicking ‘Correct’ below the answer Replies to this message go to everyone subscribed to this thread, not directly to the person who posted the message. To post a reply, either reply to this email or visit the message page: Please note that the Adobe Forums do not accept email attachments. If you want to embed an image in your message please visit the thread in the forum and click the camera icon: https://forums.adobe.com/message/7351396#7351396 To unsubscribe from this thread, please visit the message page at , click "Following" at the top right, & "Stop Following"  Start a new discussion in Adobe Digital Editions by email or at Adobe Community For more information about maintaining your forum email notifications please go to https://forums.adobe.com/thread/1516624.

  • Adobe Elements 10 edit in not working

    Adobe Elements 10 Edit in not working

    It does nothing.  I click Edit in Photoshop Elements Editor and nothing happens.  I tried opening the Elements program to see if that made a difference and it did not.  I double checked my external editing preferences to make sure I had the Adobe Photoshop Elements Editor application selected and I do.    It use to work until I upgraded to LR4.  Now it no longer works.
    TORRI HOWARD
    Images By Torri Howard
    (425) 750-1703
    http://www.imagesbytorrihoward.com

  • Bridge CS3 "Edit Find" not working after optimizing cache.

    Power PC G5
    Mac OSX v.10.4.11
    3GB RAM
    Photoshop CS3
    After optimizing the cache, my Edit>Find feature does not work. I looked into the Bridge Preferences and could not find anything under Thumbnails or Cache that can turn it back on. Please advise.

    Make sure you have Bridge 2.1.1.9.
    Purge the cache for each folder through the Tools menu in Bridge.

  • Template editable region not working

    I am using DW2004.  I have a template with a number of editable regions.  One region is causing me problems.  When I apply the template to a page, the BeginEditable and EndEditable tags become editable themselves.  Trying to save the page causes errors about saving changes to regions that cannot be edited.
    The template has this editable region:
        <!-- +++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++ +++++++ -->
    <!--MainText-->
    <div id="MainText">
          <div align="left">
    <!-- TemplateBeginEditable name="MainText" -->
            Main Text
    <!-- TemplateEndEditable -->
        </div><!-- Align text left -->
    </div><!-- MainText-->
    MainText is a CSS style
    #MainText{float:right; width:565px; margin: 0 0 0 0; background-color:#ffffff;}
    In the document after the template is applied, I get the following.
        <!-- +++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++ +++++++ -->
    <!--MainText-->
    <div id="MainText">
      <div align="left">
    <!-- #BeginEditable "MainText" -->
      <table width="329" border="0" cellpadding="10">
    Problem is the <!-- #BeginEditable "MainText" --> can be changed.  If I do a return after the "-->" the tag is no longer able to be changed.  Same with the end editable tag.  As soon as I go back to Design view, the code changes to become editable again.
    At the moment I have around 150 screwed up pages after running a template update.  Can anyone help?

    <!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd">
    <html><!-- #BeginTemplate "/Templates/tem_gen_pp.dwt" --><!-- DW6 -->
    <head>
    <!-- +++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++ +++++++ -->
    <!-- Title -->     
    <!-- #BeginEditable "doctitle" -->
    <title>Project interviewing techniques white paper</title>
    <!-- #EndEditable -->
    <meta http-equiv="Content-Type" content="text/html; charset=iso-8859-1">
        <!-- +++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++ +++++++ -->
    <!-- Meta Info -->     
    <!-- #BeginEditable "MetaInfo" -->
    <meta name="description" content="White Paper on Project Documentation">
    <meta name="keywords" content=" project perfect, project management, project manager, project, project consulting, project training, Sydney, Australia, project management white paper, ">
    <meta name="robots" content="index,follow">
    <!-- #EndEditable -->
        <!-- +++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++ +++++++ -->
    <!-- External Files -->
    <link href="css/standard.css" rel="stylesheet" type="text/css">
    <SCRIPT LANGUAGE="JavaScript" SRC="css/standard_javascript.js"></SCRIPT>
    </head>
        <!-- +++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++ +++++++ -->
    <!-- Other Scripts -->
    <!-- #BeginEditable "OtherScripts" -->
    <!-- #EndEditable -->
        <!-- +++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++ +++++++ -->
        <!-- #BeginEditable "Head" -->
    <!-- #EndEditable -->
        <!-- +++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++ +++++++ -->
    <body>
        <!-- +++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++ +++++++ -->
    <!-- Wrapper to centre the page -->
    <div id="wrapper">
    <div id="center">
    <table width=800px height="84" border="0" cellpadding="5" cellspacing="0" bgcolor="#3333FF">
        <tr>
          <td height="84" width="8%"> </td>
          <td width="3%" bgcolor="#000099"> </td>
          <td width="9%" bgcolor="#FFFFFF"><img src="images/logo/PP_P_only.jpg" width="84" height="84"></td>
          <td width="2%"></td>
          <td width="60%" height="84" valign="top"><br>       
              <span class="style12 ">PROJECT </span>
            <span class="style12 "><strong>PERFECT</strong></span><BR>       
            <span class="style13">                 Project Management Software</span><br>                                <span class="style14">                                                       Specialists  in Project Infrastructure</span>
          </td>
          <!-- Image top right -->         
          <td height="84" width="18%"> 
            <!-- #BeginEditable "Title" -->
            <div align="center"><a name="top"></a><img src="images/titles/title_free_info.gif" width="115" height="80"></div>
          <!-- #EndEditable -->     
            </td>
        </tr>
      </table>
    </div><!-- Center -->
    <div id="Navigation">
    <fieldset> <legend><b>Menu</b> </legend>
    <table width="195" border="0" cellpadding="0" cellspacing="0" bordercolor="#000000" bgcolor="#FFFFFF" >
        <!-- +++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++ +++++++ -->
    <!-- Home Page -->
        <tr>
          <td>
            <a href="index.htm" onMouseOut="MM_swapImgRestore()" onMouseOver="MM_swapImage('Image17','','images/miscellaneous/homeon.jpg',1)"><img src="images/miscellaneous/homeoff.jpg" alt="Project Management Software Home Page" name="Image17" width="140" height="35" border="0"></a> </td>
        </tr>
        <!-- +++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++ +++++++ -->
    <!-- Subscribe -->     
        <tr>
          <td  bgcolor="#FFFF00"><div align="center" class="style15"><strong>Sign up for our newsletter. Hear about new Project Management White Papers.<br>
                <br>
            When you subscribe you can download a free eBook<br>
            <br>
    &quot;The Project Managers Guide to Creating and Managing Requirements&quot;       
                </strong></div>
            <p align="center"><a href="http://projectperfect.com.au/mailman/listinfo/subscribers_projectperfect.com.au">Click Here to Join </a>       
            <p>
            </td>
        </tr>
        <tr>
        <!-- +++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++ +++++++ -->
    <!-- RSS -->     
    <td valign="top"> 
          <h5 align="center" class="style4"><a href="rss/rss_news.xml" onMouseOut="MM_swapImgRestore()" onMouseOver="MM_swapImage('Image15','','images/miscellaneous/xml.gif',1)"><img src="images/miscellaneous/rss.gif" alt="RSS News Feed" name="Image15" width="36" height="14" border="0"></a></h5></td>
        </tr>
        <!-- +++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++ +++++++ -->
    <!--PA Home Page -->
        <tr>
          <td valign="top"><a href="pa.htm" onMouseOut="MM_swapImgRestore()" onMouseOver="MM_swapImage('project-management-software','','images/miscellaneous/pmsoftwa reon.jpg',1)"><img src="images/miscellaneous/pmsoftwareoff.jpg" alt="Project Management Software" name="project-management-software" width="140" height="35" border="0"></a></td>
        </tr>
        <tr>
           <td width=165px ><h5>              <a href="pa_download_enq.htm">&gt;Download 30 day trial </a><br>
                <a href="pa.htm">&gt;General Info</a><br>
                <a href="pa_cost_justification.htm">&gt;Cost Justification</a> <br>
                <a href="pa_faq_buyers.htm">&gt;FAQ for PA Buyers</a><br>
                <a href="pa_pricing.htm">&gt;Pricing</a><br>
                <a href="http://www.projectperfect.com.au/catalog/index.php/cPath/21">&gt;Buy Now</a></h5></td>
        </tr>
        <!-- +++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++ +++++++ -->
    <!-- Method H Home Page -->
        <tr>
          <td valign="top"><a href="method_h.htm" onMouseOut="MM_swapImgRestore()" onMouseOver="MM_swapImage('business-analysis-software','','images/miscellaneous/basoftwar eon.jpg',1)"><img src="images/miscellaneous/basoftwareoff.jpg" alt="Business Analysis Software" name="business-analysis-software" width="140" height="35" border="0"></a></td>
        </tr>
        <tr>
          <td width=165px><h5>       
              <a href="method_h.htm">&gt;&quot;Method H&quot; General Info</a><br>
            <a href="http://www.projectperfect.com.au/catalog/index.php/cPath/22">&gt;Pricing</a><br>
            <a href="http://www.projectperfect.com.au/catalog/index.php/cPath/22">&gt;Buy Now</a></h5></td>
        </tr>
        <!-- +++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++ +++++++ -->
    <!-- Free Stuff -->    
        <tr>
          <td valign="top"><a href="services.htm" onMouseOut="MM_swapImgRestore()" onMouseOver="MM_swapImage('project-management-white-papers','','images/miscellaneous/whit epaperon.jpg',1)"><img src="images/miscellaneous/whitepaperoff.jpg" alt="Project Management white papers, links and free stuff" name="project-management-white-papers" width="140" height="35" border="0"></a></td>
        </tr>
        <tr>
          <td width=165px><h5>       
                  <a href="wp_index.php">&gt;White Paper Index</a><br>
                <a href="student.htm">>PM for Kids </a><br>
                <a href="RM3/index.php">&gt;Resources</a></h5>
          </td>
        </tr>
        <!-- +++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++ +++++++ -->
    <!-- Consulting -->     
        <tr>
          <td valign="top"><a href="consult_train.htm" onMouseOut="MM_swapImgRestore()" onMouseOver="MM_swapImage('consulting','','images/miscellaneous/serviceson.jpg',1)"><img src="images/miscellaneous/servicesoff.jpg" alt="Project Infrastructure Consulting Services" name="PM Services" width="140" height="35" border="0"></a></td>
        </tr>
        <tr>
          <td width=165px><h5>       
                  <a href="consult_train.htm">&gt;Consulting</a><br>
                <a href="microsoft-access-development.htm">&gt;Microsoft Access Development</a><br>
                <a href="assessment.htm">&gt;PM Assessment</a></h5></td>
        </tr>
        <!-- +++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++ +++++++ -->
    <!-- Blog -->     
        <tr bgcolor="#FFFFFF">
          <td valign="top"><a href="blog/index.php" onMouseOut="MM_swapImgRestore()" onMouseOver="MM_swapImage('Image16','','images/miscellaneous/blogon.jpg',1)"><img src="images/miscellaneous/blogoff.jpg" alt="Project Management Blog" name="Image16" width="140" height="35" border="0"></a></td>
        </tr>
        <!-- +++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++ +++++++ -->
    <!-- Contact -->     
        <tr>
          <td valign="top">  
          <a href="contact_index.htm" onMouseOut="MM_swapImgRestore()" onMouseOver="MM_swapImage('Image18','','images/miscellaneous/contactuson.jpg',1)"><img src="images/miscellaneous/contactusoff.jpg" alt="Contact Project Perfect" name="Image18" width="140" height="35" border="0"></a></td>
        </tr>
        <!-- +++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++ +++++++ -->
    <!-- Search --> 
        <tr>
          <td valign="top">  
          <a href="search.htm" onMouseOut="MM_swapImgRestore()" onMouseOver="MM_swapImage('Image19','','images/miscellaneous/searchon.jpg',1)"><img src="images/miscellaneous/searchoff.jpg" alt="Search Project Perfect site" name="Image19" width="140" height="35" border="0"></a></td>
        </tr>
        <!-- +++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++ +++++++ -->
    <!-- Contents --> 
        <tr>
          <td height="2" valign="top">  
          <a href="contents.htm" onMouseOut="MM_swapImgRestore()" onMouseOver="MM_swapImage('contents','','images/miscellaneous/contentson.jpg',1)"><img src="images/miscellaneous/contentsoff.jpg" alt="Contents of Project Perfect web site" name="contents" width="140" height="35" border="0"></a></td>
        </tr>
        <!-- +++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++ +++++++ -->
    <!-- Spread the word -->
          <tr>
            <td><a href="cgi-bin/birdcast.cgi" onMouseOut="MM_swapImgRestore()" onMouseOver="MM_swapImage('tell-a-friend','','images/miscellaneous/tellafriendon.jpg',1)" ><img src="images/miscellaneous/tellafriendoff.jpg" alt="Tell a friend about project perfect" name="tell-a-friend" width="140" height="35" border="0"></a></td>
          </tr>
        <!-- +++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++ +++++++ -->
        <!-- Generic Ad for PA -->
          <tr>
            <td><img src="images/miscellaneous/Ver4.jpg" width="200" height="250"></td>
          </tr>
    <!-- +++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++ +++++++ -->
    <!-- PM Opininons Ad -->   
         <tr>
          <td height="2" valign="top" bgcolor="#FFFFCC"><fieldset>
            <p align="center"><a href=http://www.project-management-opinions.com/index.php?option=com_mtree&task=viewlink&link_i d=653 ><img src=
                      "http://www.project-management-opinions.com/rate_us_14.jpg" alt="Rate us at PM Opinions!" title="Rate us at PM Opinions!" vspace="5" width="88" border="0" height=                  "65" hspace="5"></a> </p>
          </fieldset></td>
        </tr>
        <!-- +++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++ +++++++ -->
    <!-- Method 123 -->
        <tr>
          <td height="2" valign="top"><a href="http://www.mpmm.com/project-management-software-products.php?AID=$AffiliateIDN$"><a href=                                "http://www.mpmm.com/index.php?AID=070754 "><img src="http://www.mpmm.com/images/banners/logo-160x50.gif" width="160" height="50" border="0" alt=                                "Project Management Methodology, Project Management Process, Project Management Methodologies"></a></td>
        </tr>
        <!-- +++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++ +++++++ -->
    <!-- Adspace-->
        <tr>
          <td height="2" >
        <!-- #BeginEditable "adspace" -->
         <p>
        <!-- #EndEditable -->
          </td>
        </tr>
        <!-- +++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++ +++++++ -->
    <!-- RSS Widget -->   
        <tr>
          <td valign="top"><script type="text/javascript" src="http://widgetserver.com/syndication/subscriber/InsertPanel.js?panelId=9bd60456-9247-49e5-9 463-5da9e1871c2f"></script>                           <noscript>Get great free widgets at <a href="http://www.widgetbox.com">Widgetbox</a>!</noscript></td>
        </tr>
    <!-- Blank Cell -->   
        <tr>
          <td valign="top"> </td>
        </tr>
      </table>   
    </fieldset>
    </div><!-- Navigation -->
        <!-- +++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++ +++++++ -->
    <!--MainText-->
    <div id="MainText">
          <div align="left">
    <!-- #BeginEditable "MainText" -->
      <table width="329" border="0" cellpadding="10">
        <tr>
          <td width="305" height="27"><font size="-2"><a href="index.htm">Home</a></font><font size="-2">- </font><font size="-2"><a href="wp_index.php">White Paper Index</a></font></td>
          </tr>
      </table>
      <table width="100%" border="0" cellspacing="0" cellpadding="0">
        <tr>
          <td width="75%"><h1 align="center">Project Interviewing Techniques </h1>
          </td>
          <td width="25%"><div align="center">First published March 08 <br>
          </td>
        </tr>
        <tr>
          <td width="75%"><div align="center">
              <h4>Neville Turbit - Project Perfec</h4>
          </div></td>
          <td width="25%"><div align="center"><b>Rating</b></div></td>
        </tr>
        <tr>
          <td width="75%"><div align="center"><font size="-1"><a href="downloads/Info/info-project-interviewing-techniques.pdf">(Download pdf version)</a></font></div></td>
          <td width="25%"><div align="center">
            <?php
    $topic="interv";
    $display="stars";
    require "/home/projectp/public_html/b3r/b3_rating/b3_rating.php";
    ?>
          </div></td>
        </tr>
      </table>
      <h2> Overview</h2>
      <p> <span class="style15"><a href="pa.htm"><img src="images/pa_general/pa_advt_2.gif" alt="Get Organised with Project Administirator Software" width="250" height="150" border="0" align="right"></a></span>As a Project Manager, it is inevitable you will have to carry out project interviews. They might range from interviewing a candidate for a project team role, to interviewing a Sponsor about their expectations on a project. Rarely are people given training on interviews. It is just expected that like breathing, it comes naturally. </p>
      <p>Nothing could be further from the truth. Interviewing is a technique, and as such it needs to be taught. Some people are naturals and some struggle. If you doubt there is skill involved, turn on your TV and watch a professional interviewer on a current affairs type program. In this article, we attempt to cover a few of the basics that will make you a better interviewer.</p>
      <p align="center"><font face="trebuchet ms, arial, helvetica" color="#006666"><img src="images/miscellaneous/dividing_line.gif" width="300" height="10"></font></p>
      <h2>My Experiences</h2>
      <p>Many years ago I took over a role as Marketing Manager in a financial services organisation. The week I arrived, it became evident that the company had a big hole in their investment portfolio and investors were about to loose lots of money. If I had known before, I might not have taken the job. I was to suddenly have to face the media and break the news. I had never thought much about being interviewed in the past but suddenly it became a significant concern. </p>
      <p>The company called in a specialist who would prepare me over a number of days to handle interviews. In our first mock interview he had me blabbering nonsense in about a minute. We then went back to basics and he spent a week teaching me about interviewing techniques. By the end of the week I was confident to face the media and get my message across in a way that did not cause a run on the institution, and gave investors confidence that if they stayed with the organisation, within a year their losses would be recouped. In fact the majority did stay, and they did get their money back.</p>
      <p>While I was on the other side of the fence (the interviewee), I also had to learn more about interviewing than I ever expected there was to know. Here is a simple thing I was taught in the first hour or so. You can see it on TV every night. Invade personal space. </p>
      <p>A reporter on TV who is standing beside a person being interviewed has to stand close so they both fit on the screen. Typically this involves being within less than half a metre (about a foot) from the person. You can use this to your advantage with someone who has not had the benefit of media training to make them feel uncomfortable. </p>
      <p>Try it on a colleague. Ask them an awkward question while standing up close to them. You can see them squirm. Ask the same question across the room, and they may show mild discomfort but nothing like the level when you are up close to them. Also see what happens when the reporter is trying to make the person comfortable. They move further away. In fact they may want to make them relax by putting some space between them before getting up close and personal for the killer questions.</p>
      <p align="center"><font face="trebuchet ms, arial, helvetica" color="#006666"><img src="images/miscellaneous/dividing_line.gif" width="300" height="10"></font></p>
      <h2>Open and Closed Interviews</h2>
      <p>Interviews can be either &ldquo;Open&rdquo; or &ldquo;Closed&rdquo;. Usually interviews are a mixture of both. We will cover how each type of interview is carried out, and the pros and cons of &ldquo;Open&rdquo; versus &ldquo;Closed&rdquo;. Managing an Interview around &ldquo;Open&rdquo; and &ldquo;Closed&rdquo; questions is a key skill of the interviewer.</p>
      <p align="center"><font face="trebuchet ms, arial, helvetica" color="#006666"><img src="images/miscellaneous/dividing_line.gif" width="300" height="10"></font></p>
      <h2>Definition - Open and Closed Questions</h2>
      <p>An open interview is one where questions are not specific. They are open ended and designed to allow the person to cover a broad range of topics. As an example</p>
      <p>&ldquo;Tell me about sales?&rdquo; is an open question.</p>
      <p>&ldquo;What were sales for your territory last month?&rdquo; is a closed question.</p>
      <p>The first question may take half an hour to answer. The second will probably take less than a minute.</p>
      <p align="center"><font face="trebuchet ms, arial, helvetica" color="#006666"><img src="images/miscellaneous/dividing_line.gif" width="300" height="10"></font></p>
      <h2>Why use Open Questions</h2>
      <p>It all depends on what you already know and what you need to know. If you are absolutely confident you are fully briefed on a topic, and there is only one fact you need to determine, a closed question is preferable. On the other hand, if your knowledge is sketchy, and you are not even sure what questions to ask, an open question is the way to go.</p>
      <p>If your washing machine is broken and the repair man tells you the water pump is not working, you are unlikely to ask him is it the shaft is worn, impeller is split or motor burnt out? That would be a closed question and we probably don&rsquo;t have the knowledge to ask it anyway (Incidentally I did make that up. I have no idea what else could break). We would ask an open question such as asking him to explain further. At that point he might explain it is the impeller broken because some coins got through the filter and jammed in the pump. You can then follow up with a more closed question about what that means to the repair and your wallet.</p>
      <p align="center"><font face="trebuchet ms, arial, helvetica" color="#006666"><img src="images/miscellaneous/dividing_line.gif" width="300" height="10"></font></p>
      <h2>Essence of Open Questions</h2>
      <p>The essence of open interview technique is - </p>
      <ul>
        <li>Question move from the general to the specific and back to the general</li>
        <li>Much is deduced from listening and probing. A simple comment may indicate an important area to be explored</li>
        <li>There are often unforeseen topics raised. Some are relevant and some may not be relevant. You need to filter and quickly dismiss the ones that are not relevant</li>
      </ul>
      <p align="center"><font face="trebuchet ms, arial, helvetica" color="#006666"><img src="images/miscellaneous/dividing_line.gif" width="300" height="10"></font></p>
      <h2>Tips for Open Questions</h2>
      <p>Here are a number of tips for asking open questions</p>
      <ul>
        <li>Think if the person can answer &ldquo;yes&rdquo; or &ldquo;no&rdquo;. If the answer is they can, it is not an open question</li>
      </ul>
      <ul>
        <li>If the person provides a wandering answer, or a &lsquo;brain dump&rsquo; offer a summary of the question - let the interviewees confirm its accuracy. <br>
    &ldquo;If I understand what you are saying&hellip;&rdquo; </li>
        <li>Allow ample opportunity for &lsquo;and also&rsquo; issues to be raised at the end of the interview or afterwards. People answering open questions tend to remember facts as they go along.</li>
      </ul>
      <p align="center"><font face="trebuchet ms, arial, helvetica" color="#006666"><img src="images/miscellaneous/dividing_line.gif" width="300" height="10"></font></p>
      <h2>Closed Interviews</h2>
      <p>In using the opposite interview technique, closed interviews, you might ask </p>
      <p>&ldquo;For reporting of sales, I suppose the current breakdown by nation, state and category is OK, isn&rsquo;t it?&rdquo; </p>
      <p>The question presumes and prompts a yes/no answer. It also offers a quick and easy interview, requiring minimum reflection and analysis.</p>
      <p align="center"><font face="trebuchet ms, arial, helvetica" color="#006666"><img src="images/miscellaneous/dividing_line.gif" width="300" height="10"></font> </p>
      <h2>Why Closed Questions</h2>
      <p>As mentioned, closed interviews are useful when you are trying to find out one fact. You know precisely the question to ask and know the possible answers. They are also useful in clarifying facts in an open interview. As people cover topics broadly, you might grab one point and want to understand it more clearly. You want to drill down on a particular aspect. </p>
      <p>For example, you asked a question on how effective current sales reports are. The person is giving you a full briefing on all the reports, and the implications. They mention the sales summary report. You might ask a closed question about who receives the report and why they are provided with a copy.</p>
      <p>Closed questions allow you to drill down on a piece of information. It is more likely that closed questions will be more spontaneous than open questions. As the open question draws out the big picture, you want to closely examine bits of the picture with closed questions.</p>
      <p align="center"><font face="trebuchet ms, arial, helvetica" color="#006666"><img src="images/miscellaneous/dividing_line.gif" width="300" height="10"></font></p>
      <h2>On the Spot</h2>
      <p>Closed questions can put people on the spot. They can almost sound like they were fired by the prosecutor in a trial. </p>
      <p>&ldquo;When did you first know the project was behind schedule?&rdquo;</p>
      <p>&ldquo;How many resources can you give up to the project?&rdquo;</p>
      <p>The result is the same as in a trial. The person becomes defensive. They try to find a way out of any admission or commitment. A better approach is to use an open question that allows people room to manoeuvre or qualify their answer. You can tighten up the response with closed questions based around the answer.</p>
      <p>&ldquo;How did you first come to suspect the project may not be on track?&rdquo;</p>
      <p>&ldquo;If we need people to assist, how would you be able to help?&rdquo;</p>
      <p>In both cases, an open ended question allows the person to answer without feeling threatened or ambushed. You avoid the instinctive &ldquo;flight or fight&rdquo;.</p>
      <p align="center"><font face="trebuchet ms, arial, helvetica" color="#006666"><img src="images/miscellaneous/dividing_line.gif" width="300" height="10"></font></p>
      <h2>Information Gathering</h2>
      <p>An interview is an information gathering exercise. That means that you, as the interviewer, are there to direct and listen. You know your own views. The interviewee does not necessarily need to know those views. While you are talking, you are not listening and the purpose of an interview is to find out information from the interviewee. Your role is to keep the ball rolling down the road.</p>
      <p>There is an old saying that when carrying out an interview, you should &ldquo;speak with your ears&rdquo;. In other words, if you say something it should only be because you want to hear the answer.</p>
      <p align="center"><font face="trebuchet ms, arial, helvetica" color="#006666"><img src="images/miscellaneous/dividing_line.gif" width="300" height="10"></font></p>
      <h2>Making people comfortable</h2>
      <p>A technique used by television interviews is to ask a number of easy questions to relax the person before hitting them with the big one. </p>
      <p>&ldquo;So your name is Jim Brown? Lived here long Jim? Married with 2 kids I hear?&rdquo;</p>
      <p>Then</p>
      <p>&ldquo;So tell us about killing your mother in law with a chain saw.&rdquo;</p>
      <p>Use the relaxing questions to start your interview. If the person is at all apprehensive at the start of an interview, a few questions to loosen them up will help later in the discussion. </p>
      <p>Imaging you are being interviewed and you are feeling a little nervous or unsure about the area under discussion. You might not even know exactly why you are being interviewed. If the person starts by explaining the purpose of the interview then asks a few easily answered questions, you start to relax and will become more likely to assist the person.</p>
      <p align="center"><font face="trebuchet ms, arial, helvetica" color="#006666"><img src="images/miscellaneous/dividing_line.gif" width="300" height="10"></font></p>
      <h2>Follow the dots</h2>
      <p>An agenda is a great tool, in most circumstances. If you are having a regular review meeting and have a range of regular topics to cover, an agenda is a great roadmap. Point 1; point2; point 3.</p>
      <p>If on the other hand it is an open discussion, an agenda may be an impediment. The interviewee may want to talk about point 1 and 7 because he sees them as related. The discussion is roaming around the topic, and it might not fit into neat compartments. </p>
      <p>In this case use the agenda as a checklist. It does not have to be strictly followed. It can be a list of topics you want to have covered by the end of the interview. As the interview draws to a close, go over the agenda and see if any points still need discussion. It takes some skill to treat an agenda as a set of boundaries rather than a roadmap. If you can develop those skills, the results can be excellent.</p>
      <p align="center"><font face="trebuchet ms, arial, helvetica" color="#006666"><img src="images/miscellaneous/dividing_line.gif" width="300" height="10"></font></p>
      <h2>Summarising</h2>
      <p>Sometimes people lose the thread of what they are saying. Their mind is wandering down a path and they forget where they have been or are going. It is useful to sometimes stop and summarise what you think has been said. It is double purposed. Firstly it confirms what has been said, and secondly it re-focuses the person.</p>
      <p align="center"><font face="trebuchet ms, arial, helvetica" color="#006666"><img src="images/miscellaneous/dividing_line.gif" width="300" height="10"></font></p>
      <h2>Active Listening</h2>
      <p>It is a fact that most people want to be listened to. It is important to feel that the person is mentally still with us as we speak. The occasional nod of the head or confirmation of a point helps people feel their comments are valued. Be sure to respond to people or they will stop contributing and want to terminate the interview. Writing things down will assist in convincing people their input is of value.</p>
      <p align="center"><font face="trebuchet ms, arial, helvetica" color="#006666"><img src="images/miscellaneous/dividing_line.gif" width="300" height="10"></font></p>
      <h2>Answer the Question</h2>
      <p>Watch a politician answer a question, and you will often find they don&rsquo;t answer the question. Techniques include:</p>
      <ul>
        <li>&ldquo;That is a good point but before I answer that let me say&hellip;&rdquo; and of course they never get back to the question</li>
        <li>&ldquo;I want to make three points&hellip;&rdquo; none of which are relevant to the question</li>
        <li>&ldquo;Why would you ask me that?&rdquo; In other words, let&rsquo;s argue about whether you should ask the question rather than try and answer it.</li>
      </ul>
      <p>If you cannot get an answer to a question, try to understand why the person is uncomfortable to provide an answer. It may just be that they forgot the original question and went off on a different track. On the other hand they may well have something they don&rsquo;t want to tell you. Sometimes understanding the reason for not answering in fact answers the question.</p>
      <p align="center"><font face="trebuchet ms, arial, helvetica" color="#006666"><img src="images/miscellaneous/dividing_line.gif" width="300" height="10"></font></p>
      <h2>Body Language</h2>
      <p>Very few people can hide body language. You do not have to be an expert to read it as we all do to some extent. The eyes looking around the room for an answer; folded arms in a defensive position; legs crossed towards you for trust and away for mistrust. There are many articles on body language and a bit of research can help you read what is not being said.</p>
      <p align="center"><font face="trebuchet ms, arial, helvetica" color="#006666"><img src="images/miscellaneous/dividing_line.gif" width="300" height="10"></font></p>
      <h2>Independent Interviewer</h2>
      <p>As a consultant I have been amazed some times at what people have told me. Even though it might not be attributed to them in a report, people often say things to an outsider they would never say to their peers.</p>
      <p>I remember one project review where the project manager was scathing in his remarks about the steering committee. He had never expressed his thoughts to them but told me. On investigation I had to agree with his comments and put it in the report. One of the steering committee members came up to me afterwards and asked me why the project manager never expressed his concerns to the committee?</p>
      <p> Sometimes it is useful to use an outside party for interviews as they are usually seen as coming to the situation without a bias. If not independent, they are usually viewed as not coming to support any entrenched point of view. In fact, from a consultant credibility point of view, it does you no good to go into an organisation to reinforce a particular person&rsquo;s case if you do not believe it to be valid. I usually tell people in that situation that I do investigation, not lobbying. </p>
      <p>Several years ago I did a PIR for a company and managed to upset the executive management team by pointing out their lack of support and the failures that followed. Although I had done considerable work for the organisation I was not invited back to do any more work for a couple of years. When I was invited back, I found most of the people I had been critical of had moved on. I was invited back because the person who now wanted work done was impressed with my fairness and impartiality from years before. He had remembered me and now needed the same sort of review done without someone pushing a particular point of view. What goes around comes around.</p>
      <p align="center"><font face="trebuchet ms, arial, helvetica" color="#006666"><img src="images/miscellaneous/dividing_line.gif" width="300" height="10"></font></p>
      <h2>Conclusion</h2>
      <p><font color="#006666" face="trebuchet ms, arial, helvetica"><a href="pa.htm"><img src="images/pa_general/pa_advert.gif" alt="project management software" width="250" height="100" border="0" align="left"></a></font>It is surprising how many people think an interview is just a fireside chat. The dynamics are far more complex. Think about your own interviewing technique and use some of these ideas to improve it. It is particularly important for your career path as you sometimes have to interview senior managers. The interview is often the only real exposure you have for them to form an opinion of you. If a promotion comes up and you have just bungled your way through a poor interview with a senior manager, your chances of getting a promotion are low. On the other hand if you have managed to direct the interview in a manner that impressed the manager, your chances are enhanced.</p>
      <p align="center"><font face="trebuchet ms, arial, helvetica" color="#006666"><img src="images/miscellaneous/dividing_line.gif" width="300" height="10"></font></p>
      <p> 
      <table width="100%" border="1" cellspacing="0" cellpadding="0">
        <tr>
          <td width="70%"><div align="center">
              <p><b>To date,
                    <?php
    $topic="interv";
    $display="total";
    require "/home/projectp/public_html/b3r/b3_rating/b3_rating.php";
    ?>
              people have rated this article. The average rating is
              <?php
    $topic="interv";
    $display="average";
    require "/home/projectp/public_html/b3r/b3_rating/b3_rating.php";
    ?>
              - Add your rating. Just select a rating and click the button. No other information required. </b></p>
              <p><b>Only one rating per person is allowed.</b></p>
          </div></td>
          <td width="30%"><center>
              <p> </p>
            </center>
              <center>
                <?php
    $topic="interv";
    $display="preset1";
    $myimages="no";
    $font="verdana";
    $fontsize="2";
    $category="";
    $autoredirect="yes";
    $myurl="http://yourdomain.com/different.html";
    $checkuser="yes";
    require "/home/projectp/public_html/b3r/b3_rating/b3_rating.php";
    ?>
            </center></td>
        </tr>
      </table>
      <p align="center">
                <a href="#top">Return to the top</a>
          <p align="center">
                <SCRIPT LANGUAGE="JavaScript">
                MM_LastModDate()
                </script> 
      <p align="center"><font face="trebuchet ms, arial, helvetica" color="#006666"><img src="images/miscellaneous/dividing_line.gif" width="300" height="10"></font></p>
    </div>
    <!-- #EndEditable -->
        </div><!-- Align text left -->
    </div><!-- MainText-->
    </div>
    <!-- Wrapper -->
    </body>
    <!-- #EndTemplate --></html>

Maybe you are looking for

  • Calling stored procedure using jdbc

    Hi all, I'm new to jdbc calling pl/sql and I have a very simple question. I'd like to execute this before I read data from the table: BEGIN packageA.functionA(1234567890123456); END; My jdbc code: try { DriverManager.registerDriver (new oracle.jdbc.d

  • Up Date Profile selection

    Hi, Clint  has a requirement for controlling budgets  at procurement level andat  consumption level . Eg:  Procurement Budget : Purchase Requisition and Purchase Order Eg:  Consumption Budget : Goods Issue / Service Entry sheet  and FI direct entry i

  • Cause 1 = 0x82A6 Network out of order - ISDN error

    When we are try to make outgoing call, we are getting the below error : cause 1 = 0x82A6 Network out of order Incoming call there is no problem in the Same E1 PRI line, ISP saying there is no problem from thier side.

  • Whats about working with 2 computers ? lightroom 1.2

    on trip i use my laptop a macbook and at home i work with my working station, the big apple , both apple computers. how can i import all my work ,my photos, with all the metadatas i have changed on the laptop during travelling ? now i imported all my

  • Video ipod and protective covers for AIRPLAY2

    DOes anyone know of a good protective cover for the 30g video ipod that still allows the xtrememac airplay2 to connect flush at the dock. with or without modification of the case itself. matta