Disable the Textfield while editing the HTML form item

How to disable a texfield while editing the HTML form item ? It should be enabled while creating the new form entry / record.
Yogesh

Yogesh,
If you 'disable' an item and submits (UPDATE) the page, then disabled item value won't get submitted. So the disabled item value will get updated with NULL or you will get any validation failures messages, if you have any.
Better option would be, make the item read-only during Update. For the text item for which you want disable, edit that item,goto 'Read-only Conditions', here set the condition so that user can't edit it during UPDATE. Here you can use same conditions as of your 'UPDATE' button 'display conditions'
Regards,
Hari

Similar Messages

  • How to retrieve data from the HTML form in the JEditorPane?

    I could quite easily use JEditorPane to render and display a simple HTML file.
    My HTML looks like this:
    <html>
    <head>
    <title> simple form</title>
    </head>
    <body bgcolor="cccccc">
    <center><h1>SURVEY THING</h1>
    </center>
    <form id="survey">
    <p>1.Type something in.</p>
    <textarea cols=25 rows=8>
    </textarea>
    <BR>
    <p>2.Pick ONLY one.</p>
    <input type="radio" name="thing" value="0" Checked> NO choice <BR>
    <input type="radio" name="thing" value="1"> First choice <BR>
    <input type="radio" name="thing" value="2"> Second choice
    <BR>
    <p>3.Pick all you like.</p>
    <input type="checkbox" name="stuff" value="A"> A <BR>
    <input type="checkbox" name="stuff" value="B"> B <BR>
    <input type="checkbox" name="stuff" value="C"> C <BR>
    <input type="submit" value="give data">
    <input type="reset" value="do clensing">
    </form>
    </body>
    </html>
    It gets diplayed fine and I can type in text, select radio buttons (they behave mutualy-exclusive,
    as they should) and check checkboxes.
    The problem I have is with retrieving the values which were entered into the form.
    If I, after editing, try to write the html to the file using HTMLWriter,
    it records the changes I made into the textarea, however all the radio and checkbox selections are lost.
    Maybe the problem is that when I enter the values I do not use any methods like
    insertBeforeStart and so on, but I believe I shouldn't need to use them to populate a form.
    Especially I never change the structure of the HTML.
    Also, when I try to traverse the Element tree and see the input elements attributes,
    I can never see a change in the entered values. However it is probably b/c I am traversing through
    the model and the changes are in the view (just a guess.)
    Anyway, if anybody could direct me onto the right path: how to retrieve the values typed in the form,
    or if it is possible at all in the JEditorPane, I would greatly appreciate.
    thanks
    maciej
    PS. I have seen the answer to a similar question posted some time last year. However, I am trying
    to find a soultion which allows forms/surveys to be built by people who have no java and only basic
    html knwledge. And Axualize way is probably a little bit too "high-tech."

    Maybe helpful for u.
    import java.awt.*;
    import java.awt.event.*;
    import java.awt.Container;
    import java.util.*;
    import javax.swing.*;
    import javax.swing.text.*;
    import javax.swing.text.html.*;
    public class TestHtmlInput extends JFrame {
         JEditorPane pane=new JEditorPane();
         public TestHtmlInput() {
              super();
              pane.setEditorKit(new HTMLEditorKit());
              pane.setText("<HTML><BODY><FORM>" +
              "<p>1.Input your name.</p>" +
              "<INPUT TYPE='text' name='firstName'>" +
              "<p>2.Input your information.</p>" +
              "<TEXTAREA rows='20' name='StationDescriptions' cols='100'>" +
              "<p>3.Pick ONLY one.</p>" +
              "<input type='radio' name='thing' value='0' Checked> NO choice <BR>" +
              "<input type='radio' name='thing' value='1'> First choice <BR>" +
              "<input type='radio' name='thing' value='2'> Second Choice <BR>" +
              "<p>4.Pick all you like.</p>" +
              "<input type='checkbox' name='stuff' value='A'> A <BR>" +
              "<input type='checkbox' name='stuff' value='B'> B <BR>" +
              "<input type='checkbox' name='stuff' value='C'> C <BR>" +
              "<p>5.Choose your nationality.</p>" +
              "<select name='natio'>" +
              "<option>12</option>" +
              "<option selected>13</option>" +
              "</select>" +
              "</FORM></BODY></HTML>");
              this.getContentPane().add(new JScrollPane(pane));
              JButton b=new JButton("print firstName text");
              b.addActionListener(new ActionListener() {
                   public void actionPerformed(ActionEvent e) {
                        System.out.println("Number of Components in JTextPane: " + pane.getComponentCount());
                        for (int i = 0; i <  pane.getComponentCount(); i++) {
                             //NOTE FOR BELOW: know its a Container since all Components inside a JTextPane are instances of the inner class
                             //ComponentView$Invalidator which is a subclass of the Container Class (ComponentView$Invalidator extends Container)
                             Container c = (Container)pane.getComponent(i);
                             //the component of this containers will be the Swing equivalents of the HTML Form fields (JButton, JTextField, etc.)
                             //Get the # of components inside the ComponentView$Invalidator (the above container)
                             Component swingComponentOfHTMLInputType = c.getComponent(0);
                             //each ComponentView$Invalidator will only have one component at array base 0
                             //DISPLAY OF WHAT JAVA CLASS TYPE THE COMPONENT IS
                             System.out.println(i + ": " + swingComponentOfHTMLInputType.getClass().getName());
                             //this will show of what type the Component is (JTextField, JRadioButton, etc.)
                             if (swingComponentOfHTMLInputType instanceof JTextField) {
                                  JTextField tf = (JTextField)swingComponentOfHTMLInputType;
                                  //downcast and we have the reference to the component now!! :)
                                  System.out.println("  Text: " + tf.getText());
                                  tf.setText("JTextField found!");
                             } else if (swingComponentOfHTMLInputType instanceof JButton) {
                             } else if (swingComponentOfHTMLInputType instanceof JComboBox) {
                                     JComboBox combo = (JComboBox)swingComponentOfHTMLInputType;
                                     System.out.println("  Selected index: " + combo.getSelectedIndex());
                                } else if (swingComponentOfHTMLInputType instanceof JRadioButton) {
                                     JRadioButton radio = (JRadioButton)swingComponentOfHTMLInputType;
                                     System.out.println("  Selected: " + new Boolean(radio.isSelected()).toString());
                             } else if (swingComponentOfHTMLInputType instanceof JCheckBox) {
                                     JCheckBox check = (JCheckBox)swingComponentOfHTMLInputType;
                                     check.setSelected(true);
                                     System.out.println("  Selected: " + new Boolean(check.isSelected()).toString());
                             } else if (swingComponentOfHTMLInputType instanceof JScrollPane) {
                                  JScrollPane pane = (JScrollPane)swingComponentOfHTMLInputType;
                                  for (int j=0; j<pane.getComponentCount(); j++) {
                                       //JTextArea area = (JTextArea)swingComponentOfHTMLInputType.getComponent(0);
                                       Container c2 = (Container)pane.getComponent(j);
                                       for (int k=0; k<c2.getComponentCount(); k++) {
                                            Component c3 = (Component)c2.getComponent(k);
                                            if (c3 instanceof JTextArea) {
                                                 JTextArea area = (JTextArea)c3;
                                                 System.out.println("  " + area.getClass().getName());
                                                 System.out.println("     Text: " + area.getText());
                                                 area.setText("JTextArea found!");
                             } else {
              this.getContentPane().add(b,BorderLayout.SOUTH);
         public static void main(String args[]) {
              TestHtmlInput app = new TestHtmlInput();
              app.setDefaultCloseOperation( JFrame.EXIT_ON_CLOSE );
              app.setSize( 400, 900 );
              app.setVisible( true );
    }

  • Disabling Field Disables the Entire Form

    I am trying to disable fields in the 'User Library.xml' form depending on who logs in; unfortunately the code below disables the whole form.
    Any pointers on how to get out of this logjam?
    <Field name='global.login_desc'>
    <Display class='Text'>
    <Property name='title' value='Login Description'/>
    </Display>
    <Disable>
    <eq>
    <block name="loggedinuseraccountid">
    <invoke name='getUser'>
    <rule name='EndUserRuleLibrary:getCallerSession'/>
    </invoke>
    </block>
    <s>Administrator</s>
    </eq>
    </Disable>
    </Field>

    A little javascript should do it.
    function switchForm(form,flag){
      inputs = form.elements;
      for(i=0;i<inputs.length;i++){
        inputs.disabled = flag;
    }No need to go to the server for this one.                                                                                                                                                                                                                                                                                                                                                                                                                                               

  • Error: . fields not displayed because the HTML form was not yet opened.

    I had created a data base application using Import from one workspace(schema1) to another workspace(schema2).
    Created all the tables and data in schema2.
    Now when I'm trying to run the page getting the following error
    " Error: Item "P16_PRODUCT" was not displayed because the HTML form was not yet opened. "
    I'm not able to figure out what is that I'm missing during import due to which form is not opening.
    Removed the authorization from the pages in order to test the page. So, I don't think this is related to Authorization.
    Please help me in identifying the issue.
    Thanks,
    Suresh.

    Hello Suresh,
    >> I had created a data base application using Import from one workspace(schema1) to another workspace(schema2).
    Is the APEX version on both workspaces are the same? What is the APEX version?
    Please make sure that the page template you are using includes #FORM_OPEN# in the last line of the Header section.
    Regards,
    Arie.
    &diams; Please remember to mark appropriate posts as correct/helpful. For the long run, it will benefit us all.
    &diams; Author of Oracle Application Express 3.2 – The Essentials and More

  • Disable Template Comments While Editing in Dreamweaver

    We have pages set up using InstanceBeginEditable comments to
    define editable regions. However, we are not using templates.
    Naturally, when I open these files in Dreamweaver I cannot edit the
    areas outside the editable comments - this is expected. I'm
    wondering if there's a way to disable this in Dreamweaver so I can
    edit all regions of the page. As I said earlier, we are only using
    the InstanceBeginEditable tags to lock down areas for Contribute
    users.

    > I'm wondering if there's a way to disable this in
    Dreamweaver
    Not as long as DW thinks you are editing an HTML page.
    However, you can
    open one of the pages, copy all, create a new TEXT page,
    paste in, and edit
    away. This is a pretty awkward way to work, though.
    Murray --- ICQ 71997575
    Adobe Community Expert
    (If you *MUST* email me, don't LAUGH when you do so!)
    ==================
    http://www.dreamweavermx-templates.com
    - Template Triage!
    http://www.projectseven.com/go
    - DW FAQs, Tutorials & Resources
    http://www.dwfaq.com - DW FAQs,
    Tutorials & Resources
    http://www.macromedia.com/support/search/
    - Macromedia (MM) Technotes
    ==================
    "FlabeltyBooperBop" <[email protected]>
    wrote in message
    news:ejin5c$el$[email protected]..
    > We have pages set up using InstanceBeginEditable
    comments to define
    > editable
    > regions. However, we are not using templates. Naturally,
    when I open these
    > files in Dreamweaver I cannot edit the areas outside the
    editable
    > comments -
    > this is expected. I'm wondering if there's a way to
    disable this in
    > Dreamweaver
    > so I can edit all regions of the page. As I said
    earlier, we are only
    > using the
    > InstanceBeginEditable tags to lock down areas for
    Contribute users.
    >

  • Any way to disable automatic indexing while editing source?

    I am using Build JDEVADF_MAIN.DROP5_GENERIC_080107.0300.4814
    Whenever I edit a jsff file (for example, type a character), I get a little box in the lower right corner with the text "Indexing 1 File." While this is going on, my text editor is blocked and I can't see what I am typing on the page, nor can I do anything else. This is really annoying and I would like to disable it. I have looked through Tools | Preferences, but can't find a setting. Is there any way to disable file indexing during editing?

    Hi,
    you are using an Oracle internal build and ask the question on a public forum. If the indexing happens on any new file creation, please file a bug
    Frank

  • Disabling the Indesign Menu items

    Hi all,
    i have dialog based plugin , where i have a button(DisableMenu). Now when i click the button i want to disable the File->new->book... menu item. From the dialog observer class  how to disable the menu item?
    Thanks
    Sakthi

    Hi Dirk,
       I just went through the example. Sorry,  I am not able to understand what that example does ? Are there any notes what the program does?
      How to get all  the menu ID's .Is there any file where the Indesign Menu ID's are defined?
    Thanks
    Sakthi

  • Flash crashes when I backspace in a blank TextField while editing a library symbol.

    Steps to reproduce.  Reproducible every time.
    Open Flash CS6, draw a big (classic,input) text field, convert it to a library symbol, then remove the symbol from the stage.
    Go to the library, double click the symbol you just created in the library to edit it, then double click the text field to edit the text (currently blank).
    Press "Enter" key ten times to make ten blank lines, and then press the backspace key ten times to delete the lines.  Flash crashes upon the tenth keypress.  If by chance it doesn't crash right away, just press enter a few more times times and backspace an equal number of times and it will crash.
    I took a video of it happening at least 3 times.   I was editing a project file, trying to make a field just big enough for ten lines by creating the blank lines and dragging the text field handle to resize it, but it was crashing when I tried to remove the blank lines.
    Since I was able to make it happen on a brand new file drawn from scratch as well, I figured it was a serious bug and not just a problem with the file I was working with.  Also, it seems to occur only when the textfield's type is "input".  It stopped happening if I changed the type to "dynamic".

    tried emptying cache, had no effect, safari is basically unusable at the moment, using firefox with no problems, i'm thinking that i should do a clean install of leopard as when i installed I upgraded tiger

  • Disable the function "add item" in Datasheet View

    Hello,
    I am working with ListViewWebPart recently, il use a SPView of type "Datasheet". So as you know, there is a line in bottom with a '*' left, we can click et edit in that line to add new item, then there will be a new line below with a "*" to allow us
    to add new item always.
    Now the problem is: could we disable "that line", i dont want user to add new line (item), but they can edit the lines(items) existed. Anyone know how to do it. 
    Thank you very much for your read and your reply.
    Ning

    Hi,
    Permission management would be one choice to restrict users to add new item.
    You just need to remove the 'Add items' permission from the user's current permission group or you can create a new permission for that people.
    You can read the following document to implement the requirement.
    http://office.microsoft.com/en-us/windows-sharepoint-services-help/manage-permission-levels-HA010100143.aspx#BMchange
    Microsoft Online Community Support

  • Error while editing Workflow Task List Item - "Sorry, something went wrong.. Web must contain a discussion list

    I have an custom approval workflow and when I try to edit an assigned  approval Task it throws me an error
    Sorry, something went wrong
    Web must contain a discussion list
    Any help appreciated!
    Pravs

    Hi,
    For a better troubleshooting, I suggest you do as the followings:
    1. Check the ULS log for more detailed error message, for SharePoint 2013, the ULS log is located at the path:
    C:\Program Files\Common Files\Microsoft Shared\Web Server Extensions\15\LOGS
    You can use ULS Log Viewer to check the information in the log.
    2. You can use fiddler to track if there is something wrong in the workflow request.
    Here are some detailed articles about debugging workflow:
    https://msdn.microsoft.com/en-us/library/office/dn508412.aspx
    https://sharepointlogviewer.codeplex.com/
    Thanks
    Best Regards
    Jerry Guo
    TechNet Community Support

  • How can an applet retrieve the values of a HTML form shown in a JEditorPane

    Hi,
    I'm doing an applet that contains a JTree and a JEditorPane
    among other components. Each node of the JTree represents some
    information that is stored in a database, and whenever a JTree
    node is selected, this information is recovered and shown in
    the JEditorPane with a html form. To make the html form,
    the applet calls a servlet, which retrieves the information of
    the node selected from the database. This information is stored
    like a XML string, and using XSLT, the servlet sends the html
    form to the applet, which shows it in the JEditorPane.
    My problem is that I don't know how I can recover new values
    that a user of the application can introduce in the input fields
    of the html form. I need to recover this new values and send them
    to another servlet which store the information in the database.
    If someone could help me I'd be very pleased.
    Eduardo

    At least I found a fantastic example. Here it is:
    import java.awt.*;
    import java.awt.event.*;
    import java.util.*;
    import java.net.*;
    import javax.swing.*;
    import javax.swing.text.*;
    import javax.swing.text.html.*;
    public class FormSubmission extends JApplet {
    private final static String FORM_TEXT = "<html><head></head><body><h1>Formulario</h1>"
    + "<form action=\"\" method=\"get\"><table><tr><td>Nombre:</td>"
    + "<td><input name=\"Nombre\" type=\"text\" value=\"James T.\"></td>"
    + "</tr><tr><td>Apellido:</td>"
    + "<td><input name=\"Apellido\" type=\"text\" value=\"Kirk\"></td>"
    + "</tr><tr><td>Cargo:</td>"
    + "<td><select name=\"Cargo\"><option>Captain<option>Comandante<option>General</select></td>"
    + "</tr><td colspan=\"2\" align=\"center\"><input type=\"submit\" value=\"Enviar\"></td>"
    + "</tr></table></form></body></html>";
    protected HashMap radioGroups = new HashMap();
    private Vector v = new Vector();
    public FormSubmission() {
    getContentPane().setLayout(new BorderLayout());
    JEditorPane editorPane = new JEditorPane();
    editorPane.setEditable(false);
    editorPane.setEditorKit(new HTMLEditorKit()
    public ViewFactory getViewFactory() {
    return new HTMLEditorKit.HTMLFactory() {
    public View create(Element elem) {
    Object o = elem.getAttributes().getAttribute(javax.swing.text.StyleConstants.NameAttribute);
    if (o instanceof HTML.Tag)
    HTML.Tag kind = (HTML.Tag) o;
    if (kind == HTML.Tag.INPUT || kind == HTML.Tag.SELECT || kind == HTML.Tag.TEXTAREA)
    return new FormView(elem)
    protected void submitData(String data)
    showData(data);
    protected void imageSubmit(String data)
    showData(data);
    // Workaround f�r Bug #4529702
    protected Component createComponent()
    if (getElement().getName().equals("input") &&
    getElement().getAttributes().getAttribute(HTML.Attribute.TYPE).equals("radio"))
    String name = (String) getElement().getAttributes().getAttribute(HTML.Attribute.NAME);
    if (radioGroups.get(name) == null)
    radioGroups.put(name, new ButtonGroup());
    ((JToggleButton.ToggleButtonModel) getElement().getAttributes().getAttribute(StyleConstants.ModelAttribute)).setGroup((ButtonGroup) radioGroups.get(name));
    JComponent comp = (JComponent) super.createComponent();
    // Peque�a mejora visual
    comp.setOpaque(false);
    return comp;
    return super.create(elem);
    //editorPane.setText(FORM_TEXT);
    editorPane.setText(texto);
    getContentPane().add(new JScrollPane(editorPane), BorderLayout.CENTER);
    private void showData(String data) {
         // ergebnis significa resultado
    StringBuffer ergebnis = new StringBuffer("");
    StringTokenizer st = new StringTokenizer(data, "&");
    while (st.hasMoreTokens()) {
    String token = st.nextToken();
    String key = URLDecoder.decode(token.substring(0, token.indexOf("=")));
    String value = URLDecoder.decode(token.substring(token.indexOf("=")+1,token.length()));
    v.add(value);
    ergebnis.append(" "); ergebnis.append(key); ergebnis.append(": "); ergebnis.append(value); ergebnis.append(" ");
    ergebnis.append(" ");
    JOptionPane.showMessageDialog(this, ergebnis.toString());
    public static void main(String[] args) throws Exception {
    JFrame frame = new JFrame ();
    FormSubmission editor = new FormSubmission ();
    frame.getContentPane().add(editor);
    frame.pack();
    frame.show();
    }

  • Disable the Form

    Hi ,
    I want to disable the whole form.
    How can i do it?
    My Parent form has 1 Button.Through this button i called the child form.
    I used "OPen Form " syntax to avoid "Calling form has unapplied changes".
    But If i am in Child Form , i should not make any changes in Parent form.
    If i use "Call_form" , this pbm is solved.
    But i will get "Calling form has unapplied changes" error.
    I can open the child form without Pressing SAVE. This is my requirement.,
    can anyone Pls guide me how can i solve this ?

    Hi,
    For that make the second forms windows Window Style property to Dialog and Modal property to Yes. Then the user cannot go to the first form before exiting from the second form.
    Hope this helps.
    Regards,
    Manu.

  • I need to add the values stored in the session object into the html textbox

    Dear Sir,
    i have been trying to create an edit employee details page
    What i have done till now is as follow:
    1. Got employee id from HTML page.
    2. Compared it with the id stored in the database.
    3. If the id is correct then pulled the record of the corresponding employee and stored it in the session object.
    4. Dispatched the session values to another servlet EditEmpDetails2.java
    what i need to do now
    5. Now i need to set the session values in the text field of the html form
    6. I also need to be able to edit those vales and store the edited values in the database.
    Please help me as i have tried doing it for 1 week without any clues
    i have tried to create a html page which is something like this:
    <html>
    <head>
    <title>Edit Employee Details Page</title>
    <body BGCOLOR="red" text="black">
    <h1 ><font color="black">Edit Employee Details Page</font></h1>
    <form action = "EditEmpDetails" method="Get">
    <table width="50% align="center"
    <tr><td>Employee ID: </td>
    <td><INPUT TYPE="TEXT" name="employeeid"<br></td></tr>
    <tr><td><center><input type="submit" value="submit"></center></td></tr>
    <tr><td><center><input type="reset" value="reset" ></center></td></tr>
    </table>
    </form>
    </body>
    </html>
    design of my servlet EditEmpDetails.java
    public void EditEmpDetails1 extends HttpServlet
    public void doGet(HttpServletRequest request, HttpServletResponse response)throws ServletException, IOException
    PrintWriter out = response.getWriter();
    response.setContentType("text/html");
    HttpSession session = request.getSession();
    String employeeid;
    String X = request.getParameter("employeeid");
    System.out.println("Employee iD:" + X);
    Class.forName("sun.jdbc.odbc.JdbcOdbcDriver");
    Connection con = DriverManager.getConnection("jdbc:odbc:murphy");
    String query = "Select * from users where employeeid=?";
    PreparedStatement stat = con.prepareStatement(query);
    System.out.println(stat);
    stat.setString(1,X);
    ResultSet rs = stat.executeQuery();
    while(rs.next())
    String Z = rs.getString(password);
    if(Z.equals(X))
    String A = rs.getString(1);
    session.setAttribute("employeeid", A);
    String B = rs.getString(2);
    session.setAttribute("firstname", B);
    String C = rs.getString(3);
    session.setAttribute("lastname", C);
    String D = rs.getString(4);
    session.setAttribute("gender", D);
    String E = rs.getString(5);
    session.setAttribute("dateofbirth", E);
    String F = rs.getString(6);
    session.setAttribute("address", F);
    String G = rs.getString(7);
    session.setAttribute("postalcode", G);
    String H = rs.getString(8);
    session.setAttribute("phone", H);
    String I = rs.getString(9);
    session.setAttribute("mobile", I);
    String J = rs.getString(10);
    String url = "/EditEmpDetao;s.java";
    RequestDispatcher dispatcher = getServletContext().getRequestDispatcher(url)
    dispatcher.forward(request,response);
    catch (Exception e)
    system.out.println(e)
    I do not know how to put the values stored in the session object into the html text box

    3. If the id is correct then pulled the record of the corresponding employee and stored it in the session object.do you really need to store this in session object?
    5. Now i need to set the session values in the text field of the html form which form? in a new html/jsp page? i suggest go for a JSP
    In your JSP page use JSP expression tags to put the session attributes.
    it's something like : <input type='text' name='employeeid' value='<%= session.getAttribute("employeeid") %>' >and you need to generateanother servlet for saving the details/modifications to the database.
    I think i m clear enough.
    if you need more clarifications. just try it and then post your problem.
    Diablo

  • Edit HTML FORM for Travel Request in BADI

    Hi Experts,
    I'm trying to use the BADI FITP_REQUEST_HTML_FORM_BADIDEF to edit the HTML form for travel request.
    I need to add and hide fields in tables, but I don't need to create new tables in the form.
    The example is like the following:
      CALL METHOD co_dd_document->add_table
        EXPORTING
          no_of_columns = 2
          width         = '350'
          border        = '0'
        IMPORTING
          table         = lo_estc_table.
    set estc columns
      CALL METHOD lo_estc_table->add_column
        EXPORTING
          width  = '150'
        IMPORTING
          column = lo_col1.
      MOVE text-t04 TO lv_text.
      CALL METHOD lo_col1->add_text
        EXPORTING
          text = lv_text.
    We don't need to create new tables, we need to add fields in an existing table of the form.
    Somebody knows how can I do that?
    I hope you can help me.
    Thanks in advance.
    Oscar.

    work around!

  • Can we disable the 'Do not send a response' option for invitations?

    Our organization recently migrated to Outlook \Exchange 2010 from Lotus Notes\Domino R7.0.4. Users are getting frustrated with the many limitations, or hopefully our lack of understanding, related to calendaring in Outlook.
    Current Issue:
    Employees can select "Do Not Send a Response" to meeting invitations, but still accept the invitations for their personal calendars. This can be very frustrating to the invitee, who is attempting to orchestrate complex meetings, since they do not
    get updates for invitees who have accepted the meeting using this option.
    It is plausible that all invitees could accept a meeting, but choose not to send a response. The originator of the meeting may than cancel the meeting, thinking, "what's the point, no one accepted it". The originator or an Admin staff should have
    the ability to disable the "Do not Send a Response" option or at least have the option to require a response if desired.
    Additionally, when invitees do send a response, it would be nice to have an option not to see response in the form of an email, but simply as an update to the Calendar 'Attendees' status, to avoid inbox clutter.
    Lotus Notes had these functions at least 10 years ago, so I'm sure we are just overlooking a setting or configuration. Any guidance Microsoft support or readers can provide would be greatly appreciated.

    Hi,
    We can disable that option via GPO.
    Please refer to Disable user interface items and shortcut keys in Office 2010:
    http://technet.microsoft.com/en-us/library/cc179143(v=office.14).aspx
    After adding the Office 2010 GPO templates to the domain, in Group Policy Management go to:
    User Configuration / Polices / Administrative Templates / Microsoft Outlook 2010 / Disable Items in User Interface / Custom
    Add the following Policy ID's: 19987, 19995 and 19991.
    This will disable the three menu items "Do Not Send a Response" below the buttons Accept, Tentative and Decline. When the mouse pointer points to the disabled ("grayed out") menu item a message is shown telling the user that this menu is disabled by the
    administrator.
    If you are not used to the email response, simply create a rule to move all these responses to a single folder and clean them up periodically:
    http://office.microsoft.com/en-in/outlook-help/manage-email-messages-by-using-rules-HA010355682.aspx
    Regards.
    Melon Chen
    TechNet Community Support
    We
    are trying to better understand customer views on social support experience, so your participation in this
    interview project would be greatly appreciated if you have time.
    Thanks for helping make community forums a great place.

Maybe you are looking for

  • Need to send mail to user while clicking update button

    Hi I am new to APEX. I have a requirement. When clicking an update button the a mail should automatically send to user mentioned in the form. How can i achieve this. Please help. Regards Hisham.A

  • Computer not recognizing my Nano(1st) Gen

    Usually when I plug in my nano my computer will make a noise, then it will update my iPod if I have put on any new songs, well for some reason my compuer no longer recognizes my nano, although it will still charge, anyone know what the problem is or

  • Sudden shutdown- then strange battery behavior?

    About a week ago I was using my 2009 Macbook before I went to take an exam. When I left it had very little battery left (it has given me a warning) but I just shut the top and left, figuring it would go into Safe-Sleep. When I came back, I found that

  • Locks number

    Hi, on 10g R2, on AIX, the response time is very bad. I have this : SQL> select count(*) from v$lock;   COUNT(*)        225Is it realy a problem ? Any idea to investigate ? In alertlog no error message. I ran AWR and I have this Top 5 Timed Events   

  • Shuts down after ~10 mins running on battery

    For a year, my MacBook Pro ran fine. At the beginning of the previous school year (around September of '07), my notebook began to shut off before the battery was fully drained. Gradually it began to shut off sooner and sooner, until it finally shuts