HELP for writing a Programme that displays text.

Check the API for methods in JEditorPane. Then write and run a program that uses a JEditorPane to just display text, just text.
What should I add or delete in the following code so that it just displays TEXT.
My code is ----->
WEBBROWSER------------------>
import java.awt.*;
import java.awt.event.*;
import java.net.*;
// Java extension packages
import javax.swing.*;
import javax.swing.event.*;
public class WebBrowser extends JFrame {
private WebToolBar toolBar;
private WebBrowserPane browserPane;
// WebBrowser constructor
public WebBrowser()
super( "Deitel Web Browser" );
// create WebBrowserPane and WebToolBar for navigation
browserPane = new WebBrowserPane();
toolBar = new WebToolBar( browserPane );
// lay out WebBrowser components
Container contentPane = getContentPane();
contentPane.add( toolBar, BorderLayout.NORTH );
contentPane.add( new JScrollPane( browserPane ),
BorderLayout.CENTER );
// execute application
public static void main( String args[] )
WebBrowser browser = new WebBrowser();
browser.setDefaultCloseOperation( EXIT_ON_CLOSE );
browser.setSize( 640, 480 );
browser.setVisible( true );
} // end main
} // end class WebBrowser
WebPane.java
// WebBrowserPane.java
// WebBrowserPane is a simple Web-browsing component that
// extends JEditorPane and maintains a history of visited URLs.
package browser;
// Java core packages
import java.util.*;
import java.net.*;
import java.io.*;
// Java extension packages
import javax.swing.*;
import javax.swing.event.*;
public class WebBrowserPane extends JEditorPane {
private List history = new ArrayList();
private int historyIndex;
// WebBrowserPane constructor
public WebBrowserPane()
// disable editing to enable hyperlinks
setEditable( false );
// display given URL and add it to history
public void goToURL( URL url )
displayPage( url );
history.add( url );
historyIndex = history.size() - 1;
// display next history URL in editorPane
public URL forward()
historyIndex++;
// do not go past end of history
if ( historyIndex >= history.size() )
historyIndex = history.size() - 1;
URL url = ( URL ) history.get( historyIndex );
displayPage( url );
return url;
// display previous history URL in editorPane
public URL back()
historyIndex--;
// do not go past beginning of history
if ( historyIndex < 0 )
historyIndex = 0;
// display previous URL
URL url = ( URL ) history.get( historyIndex );
displayPage( url );
return url;
// display given URL in JEditorPane
private void displayPage( URL pageURL )
// display URL
try {
setPage( pageURL );
// handle exception reading from URL
catch ( IOException ioException ) {
ioException.printStackTrace();
WebPAne.java---------------
// WebToolBar.java
// WebToolBar is a JToolBar subclass that contains components
// for navigating a WebBrowserPane. WebToolBar includes back
// and forward buttons and a text field for entering URLs.
package browser;
// Java core packages
import java.awt.*;
import java.awt.event.*;
import java.net.*;
// Java extension packages
import javax.swing.*;
import javax.swing.event.*;
public class WebToolBar extends JToolBar
implements HyperlinkListener {
private WebBrowserPane webBrowserPane;
private JButton backButton;
private JButton forwardButton;
private JTextField urlTextField;
// WebToolBar constructor
public WebToolBar( WebBrowserPane browser )
super( "Web Navigation" );
// register for HyperlinkEvents
webBrowserPane = browser;
webBrowserPane.addHyperlinkListener( this );
// create JTextField for entering URLs
urlTextField = new JTextField( 25 );
urlTextField.addActionListener(
new ActionListener() {
// navigate webBrowser to user-entered URL
public void actionPerformed( ActionEvent event )
// attempt to load URL in webBrowserPane
try {
URL url = new URL( urlTextField.getText() );
webBrowserPane.goToURL( url );
// handle invalid URL
catch ( MalformedURLException urlException ) {
urlException.printStackTrace();
// create JButton for navigating to previous history URL
backButton = new JButton( new ImageIcon(
getClass().getResource( "images/back.gif" ) ) );
//backButton = new JButton( "Back");
backButton.addActionListener(
new ActionListener() {
public void actionPerformed( ActionEvent event )
// navigate to previous URL
URL url = webBrowserPane.back();
// display URL in urlTextField
urlTextField.setText( url.toString() );
// create JButton for navigating to next history URL
forwardButton = new JButton( new ImageIcon(
getClass().getResource( "images/forward.gif" ) ) );
//forwardButton = new JButton("Fwd");
forwardButton.addActionListener(
new ActionListener() {
public void actionPerformed( ActionEvent event )
// navigate to next URL
URL url = webBrowserPane.forward();
// display new URL in urlTextField
urlTextField.setText( url.toString() );
// add JButtons and JTextField to WebToolBar
add( backButton );
add( forwardButton );
add( urlTextField );
} // end WebToolBar constructor
// listen for HyperlinkEvents in WebBrowserPane
public void hyperlinkUpdate( HyperlinkEvent event )
// if hyperlink was activated, go to hyperlink's URL
if ( event.getEventType() ==
HyperlinkEvent.EventType.ACTIVATED ) {
// get URL from HyperlinkEvent
URL url = event.getURL();
// navigate to URL and display URL in urlTextField
webBrowserPane.goToURL( url );
urlTextField.setText( url.toString() );
Please REPLY.

WEBBROWSER------------------>
import java.awt.*;
import java.awt.event.*;
import java.net.*;
// Java extension packages
import javax.swing.*;
import javax.swing.event.*;
public class WebBrowser extends JFrame {
private WebToolBar toolBar;
private WebBrowserPane browserPane;
// WebBrowser constructor
public WebBrowser()
super( "Deitel Web Browser" );
// create WebBrowserPane and WebToolBar for navigation
browserPane = new WebBrowserPane();
toolBar = new WebToolBar( browserPane );
// lay out WebBrowser components
Container contentPane = getContentPane();
contentPane.add( toolBar, BorderLayout.NORTH );
contentPane.add( new JScrollPane( browserPane ),
BorderLayout.CENTER );
// execute application
public static void main( String args[] )
WebBrowser browser = new WebBrowser();
browser.setDefaultCloseOperation( EXIT_ON_CLOSE );
browser.setSize( 640, 480 );
browser.setVisible( true );
} // end main
} // end class WebBrowser
WebPane.java
// WebBrowserPane.java
// WebBrowserPane is a simple Web-browsing component that
// extends JEditorPane and maintains a history of visited URLs.
package browser;
// Java core packages
import java.util.*;
import java.net.*;
import java.io.*;
// Java extension packages
import javax.swing.*;
import javax.swing.event.*;
public class WebBrowserPane extends JEditorPane {
private List history = new ArrayList();
private int historyIndex;
// WebBrowserPane constructor
public WebBrowserPane()
// disable editing to enable hyperlinks
setEditable( false );
// display given URL and add it to history
public void goToURL( URL url )
displayPage( url );
history.add( url );
historyIndex = history.size() - 1;
// display next history URL in editorPane
public URL forward()
historyIndex++;
// do not go past end of history
if ( historyIndex >= history.size() )
historyIndex = history.size() - 1;
URL url = ( URL ) history.get( historyIndex );
displayPage( url );
return url;
// display previous history URL in editorPane
public URL back()
historyIndex--;
// do not go past beginning of history
if ( historyIndex < 0 )
historyIndex = 0;
// display previous URL
URL url = ( URL ) history.get( historyIndex );
displayPage( url );
return url;
// display given URL in JEditorPane
private void displayPage( URL pageURL )
// display URL
try {
setPage( pageURL );
// handle exception reading from URL
catch ( IOException ioException ) {
ioException.printStackTrace();
WebPAne.java---------------
// WebToolBar.java
// WebToolBar is a JToolBar subclass that contains components
// for navigating a WebBrowserPane. WebToolBar includes back
// and forward buttons and a text field for entering URLs.
package browser;
// Java core packages
import java.awt.*;
import java.awt.event.*;
import java.net.*;
// Java extension packages
import javax.swing.*;
import javax.swing.event.*;
public class WebToolBar extends JToolBar
implements HyperlinkListener {
private WebBrowserPane webBrowserPane;
private JButton backButton;
private JButton forwardButton;
private JTextField urlTextField;
// WebToolBar constructor
public WebToolBar( WebBrowserPane browser )
super( "Web Navigation" );
// register for HyperlinkEvents
webBrowserPane = browser;
webBrowserPane.addHyperlinkListener( this );
// create JTextField for entering URLs
urlTextField = new JTextField( 25 );
urlTextField.addActionListener(
new ActionListener() {
// navigate webBrowser to user-entered URL
public void actionPerformed( ActionEvent event )
// attempt to load URL in webBrowserPane
try {
URL url = new URL( urlTextField.getText() );
webBrowserPane.goToURL( url );
// handle invalid URL
catch ( MalformedURLException urlException ) {
urlException.printStackTrace();
// create JButton for navigating to previous history URL
backButton = new JButton( new ImageIcon(
getClass().getResource( "images/back.gif" ) ) );
//backButton = new JButton( "Back");
backButton.addActionListener(
new ActionListener() {
public void actionPerformed( ActionEvent event )
// navigate to previous URL
URL url = webBrowserPane.back();
// display URL in urlTextField
urlTextField.setText( url.toString() );
// create JButton for navigating to next history URL
forwardButton = new JButton( new ImageIcon(
getClass().getResource( "images/forward.gif" ) ) );
//forwardButton = new JButton("Fwd");
forwardButton.addActionListener(
new ActionListener() {
public void actionPerformed( ActionEvent event )
// navigate to next URL
URL url = webBrowserPane.forward();
// display new URL in urlTextField
urlTextField.setText( url.toString() );
// add JButtons and JTextField to WebToolBar
add( backButton );
add( forwardButton );
add( urlTextField );
} // end WebToolBar constructor
// listen for HyperlinkEvents in WebBrowserPane
public void hyperlinkUpdate( HyperlinkEvent event )
// if hyperlink was activated, go to hyperlink's URL
if ( event.getEventType() ==
HyperlinkEvent.EventType.ACTIVATED ) {
// get URL from HyperlinkEvent
URL url = event.getURL();
// navigate to URL and display URL in urlTextField
webBrowserPane.goToURL( url );
urlTextField.setText( url.toString() );
}

Similar Messages

  • Need help for writing extract program

    hi
    i need help for writing extract program to retriew data from legacy system.
    i already developed bdc programs for me31k and me21.
    my requirement is to write extract program s for those t.codes.
    to retriew data from legacy system and stored in flat file.

    i need help with a java program. it is a program that allows the user to enter a student's GPA, number of extracurricular activities, and number of service activities. The user can not enter a gpa above 4.0 or below 0. The user can not enter a negative number for the number of both activities. If the student meets the following criteria: 1) GPA of 3.8 or above and at least one extracurricular activity and one service activity, 2) GPA below 3.8 but at least 3.4 and a total of at least three extracurricular and service activities, 3) GPA below 3.4 but at least 3.0 and at least two extracurricular activities and three service activities, the message "Scholarship candidate" should display. If the student does not meet the criteria above, then the message"not a candidate" should display. Can you help me, please?
    You haven't posted ANY 'java program' for us to help with.
    The forum is NOT a coding service. It is to help you with YOUR code.
    Post the code you have written and SHOW us (don't just tell us) how you compile it and execute it and the results you get. Then we can help you with any problems you are are having.
    If you need help understanding just what the program should be doing you need to ask your instructor to clarify the assignment.

  • SAPCAR: could not open for writing SAPCAR (error 28). Text file busy

    Hi,
    I´m trying to decompress this file( is for a kernel upgrade):
    SAPEXE_15-10006264.SAR
    And when I do SAPCAR u2013xvf SAPEXE_15-10006264.SAR, SAPCAR only decompress a few files and I´ve this error:
    SAPCAR: could not open for writing SAPCAR (error 28). Text file busy
    Instead when I decompress the SAPEXEDB_15-10006263.SAR, SAPCAR does this correctly. I´ve tried to download again the file but the error is always the same.Could someone help me?
    Best regards,

    Hi,
    Now, I´ve unpacked the files but when I do the file copy (in order to upgrade the kernel), I´ve these errors:
    cp: cannot create /usr/sap/SMD/exe/jcontrol: Text file busy
    cp: cannot create /usr/sap/SMD/exe/jlaunch: Text file busy
    cp: cannot create /usr/sap/SMD/exe/libicudata.sl.30: Text file busy
    cp: cannot create /usr/sap/SMD/exe/libicui18n.sl.30: Text file busy
    cp: cannot create /usr/sap/SMD/exe/libicuuc.sl.30: Text file busy
    cp: cannot create /usr/sap/SMD/exe/sapstart: Text file busy
    cp: cannot create /usr/sap/SMD/exe/sapstartsrv: Text file busy
    So could you help me?
    Best regards,

  • Can i assign a collective srch help for select option in list display

    can i assign a collective srch help for select option in list display

    Hi,
    Yes ,u can assign a collective search help for select-option in list display.
    Eg:
    Define your select option like this
    SELECT-OPTIONS: s_vbeln FOR likp-vbeln MATCHCODE OBJECT vmva.
    Regards,
    Shiva.

  • Solicit help for writing a scipts

    Hi,
    I made a form (with Adobe Acrobat Reader Pro 9), I would like to ameliorate the way to display the inputted data
    I made a screen capture which summarise the modification wanted,
    in (1) I would like to be able to select the short date and to diplay it like this: (dd/mm/yyyy)
    in (2) I've tried a script but the field in the result column is always equal to 1 when nothing have been input in C1
    var a = this.getField("Resultat");
    h.value = 0;
    var b = this.getField("ValeurB");
    var c = this.getField("ValeurA");
    a.value = (b.value - c.value) + 1;
    in (3) I have to count always (with my fingers lol) the time spent between the date started and date finished, is it possible to write a script?
    ( I've never used Javascript before, it's my first experience)
    thank you in advance for your help.

    For the date difference calculation, you can do something like the following for the custom Calculate script of the field that shows the difference:
    (function () {
        // Get the date field values
        var s1 = getField("d1").valueAsString;
        var s2 = getField("d2").valueAsString;
        // If both fields have an entry...
        if (s1 && s2) {
            // Convert the date strings to date objects
            var d1 = util.scand("dd/mm/yyyy", s1);
            var d2 = util.scand("dd/mm/yyyy", s2);
            // Calculate the difference in days
            var diff = Math.floor((d2 - d1) / 864e5);
            // Set this field to the difference
            event.value = diff;
        } else {
            // Clear this field of both dates are not entered
            event.value = "";
    Where "d1" and "d2" are the names of your two date fields. This assumes you have a single field for each date formatted like dd/mm/yyyy. If you're using a separate drop down for the day, month, and year, you'd have to build the date string from the individual field values, but the rest of the script would be the same.

  • Help for writing a Map with out JDeveloper

    Hi all,
    Where can I find help documents or sample files so that I can write a custom mapping between an Oracle Object and Java Object. Yeh, this might be a simple task when we use JDeveloper , but just for writing this small piece of code I am not in a position to download JDeveloper of size 230MB and learn how to use it...
    Plese give suggestions...
    Thanks in advance...
    Sateesh
    null

    Take a look at the JPublisher user's guide. You can also download JDeveloper in 20MB chunks if you can't download all 230MB at once.
    Blaise

  • Help for writing XSLT

    Hi, 
    I have an Source XML as follows.
    <ROOTNODE>
      <A>value</A>
      <B>value</B>
    </ROOTNODE>
    <ROOTNODE>
      <A>value</A>
      <B>value</B>
    </ROOTNODE>
    <CHILD1>
      <A>value</A>
      <B>value</B>
    </CHILD1>
    NOW AFTER PERFORMING XSLT I NEED TO GET THE RESULT XML AS FOLLOWS.
    <ROOTNODE>
      <ROOTNODE>
        <A>value</A>
        <B>value</B>
      </ROOTNODE>
      <ROOTNODE>
        <A>value</A>
        <B>value</B>
      </ROOTNODE>
    </ROOTNODE>
    <CHILD1>
      <CHILD1>
        <A>value</A>
        <B>value</B>
      </CHILD1>
    </CHILD1>
    The problem is i donot know what elements will be coming in the source xml and i cant hardcode the element names in the xslt.

    hi,
    Try with OOPs method. here is the sample code
    data :lo_mxml type ref to cl_xml_document,
          m_document  type ref to if_ixml_document,
          l_dom       type ref to if_ixml_element,
          l_ele       type ref to if_ixml_element,
          l_ele1      type ref to if_ixml_element,
          l_ele2      type ref to if_ixml_element,
          l_ele3      type ref to if_ixml_element,
          l_ele4      type ref to if_ixml_element,
          l_ele5      type ref to if_ixml_element,
          l_ele6      type ref to if_ixml_element,
          l_ele7      type ref to if_ixml_element,
          m_doctype   type ref to if_ixml_document_type,
          g_ixml      type ref to if_ixml,
          l_text      type ref to if_ixml_text,
          ls_srctab1  type xstring,
          l_retcode type sysubrc.    "#EC *.
        create object lo_mxml.
        perform header_xml.
        l_retcode = lo_mxml->create_with_dom( document =
                     m_document ).
      CALL METHOD LO_MXML->DISPLAY.
    call method lo_mxml->render_2_xstring
        exporting
          pretty_print = 'X'
        importing
          retcode      = l_retcode
          stream       = l_string.
      class cl_ixml definition load.
      g_ixml = cl_ixml=>create( ).
      m_document = g_ixml->create_document( ).
      call method m_document->create_document_type
        exporting
           name   = 'cXML'
        receiving
          rval   = m_doctype.
      call method m_document->set_document_type
        exporting
          document_type = m_doctype.
      call method l_dom->set_attribute
        exporting
          name  = 'payloadID'
          value = l_string
        receiving
          rval  = l_retcode.
    call method l_dom->set_attribute
        exporting
          name  = 'timestamp'
          value = l_string
        receiving
          rval  = l_retcode.
    *___HEADER NODE (CHILD OF CXML NODE)
      l_ele = m_document->create_element( name = 'Header' ).
      l_retcode = l_dom->append_child( l_ele ).
    *___FROM NODE (CHILD OF HEADER NODE)
      l_ele1 = m_document->create_element( name = 'From' ).
      l_retcode = l_ele->append_child( l_ele1 ).
      l_ele2 = m_document->create_element( name 
                           = 'Credential' ).
      l_retcode = l_ele1->append_child( l_ele2 ).
    *____ATTRIBUTE FOR CREDENTIAL FROM NODE
      move gc_cre_from to l_string.
      call method l_ele2->set_attribute
        exporting
          name  = 'domain'
          value = l_string
        receiving
          rval  = l_retcode.
    Hope this will help for you
    Cheers,
    Sasi

  • Please sugges the link helpful for writing efficient sql queries

    Please suggest any good resource that is weblink which can help me in optimizing sql queries. especially while writing select statements improve the execution time of the sql query.
    Thanx in advance
    prasanth

    in general I found books from O'Reilly very helpful (not only for Oracle, but for Unix too).
    Moreover there is pretty good Oracle Documentation available.
    After all, it's not only about writing good queries, but also about setting up data-models, indexes, primary keys, etc.
    Look for a real slow computer, take a lot of data, then try writing your speedy queries. This is the school of hard knocks, on the long run it's the best training.

  • Need help for writing an own pulse script

    Hello,
    i want to generate a simple current pulse with my keithley 2602A, but i have a problem with the pulsewidth.
    I observed the length of the pulse on an oscilloscope and it's nearly constant for about four times and then, the next time it takes about 40 seconds longer.
    I wrote the following script:
    smua.measure.rangev = 6.000000
    smua.measure.rangei = 1.000000
    smua.source.rangev = 6.000000
    smua.source.rangei = 1.000000
    smua.sense = 1.000000
    ntimes = 100000.000000
    smua.source.func = smua.OUTPUT_DCAMPS
    smua.source.leveli = 0.186000
    smua.source.limiti = 0.200000
    smua.source.limitv = 5.000000
    mybuf = smua.makebuffer(2)
    mybuf.clear()
    mybuf.appendmode = 1
    smua.measure.count = 1
    smua.source.output = 1
    for i = 1 , ntimes do -- Perform following command(s) ntimes
    end --for
    smua.measure.i(mybuf)
    smua.measure.v(mybuf)
    smua.source.output = 0
    I figured out, that the problem is in smua.measure.X and not in the loop.
    Could you please help me?

    Definitely the wrong forum.
    The forum you arre looking for can be found here:
    http://forum.keithley.com

  • Help for writing a Plugin

    Hi All,
    I am new to the plugin development.
    I was looking for a sample plugin which can pop a messege or dialoag box while saving or opening
    Can anyone help me by sending a sample plugin code so that i can know the flow what a plugin does.
    my e-mail id : [email protected]
    Thanks
    Srinivas

    Thank you Mr Ian
    I am able to start the plugin through the SDK
    I have taken the WriteFishPrice sample from the SDK
    the plugin works
    but the values in the dropdown are hard coded in .fr file
    is there any way where i can send the parameters to .fr file to add more items and not defining many list items in the WFPID.h
    I might have confused you. let me clear the topic
    in the example the Declaring of the combo box (dropdownlist) is in WFPID.h,
    DECLARE_PMID(kWidgetIDSpace, kWFPDropDownListWidgetID, kWFPPrefix + 2)
    and in the example they have defined 4 dropdownitems
    #define kWFPDropDownItem_1Key kWFPStringPrefix "kWFPDropDownItem_1Key"
    #define kWFPDropDownItem_2Key kWFPStringPrefix "kWFPDropDownItem_2Key"
    #define kWFPDropDownItem_3Key kWFPStringPrefix "kWFPDropDownItem_3Key"
    #define kWFPDropDownItem_4Key kWFPStringPrefix "kWFPDropDownItem_4Key"
    where in the WFP_enUS.fr file they add the items to all the strings they defined
    kWFPDropDownItem_1Key, "Tuna",
    kWFPDropDownItem_2Key, "Salmon",
    kWFPDropDownItem_3Key, "Bonito",
    kWFPDropDownItem_4Key, "Yellowtail",
    Is there any way that instead of defining 4 dropdownitem keys i define 1 and make as a collection of items and send the parameter to the .fr file?
    Please guide me
    Thank you
    -Srinivas

  • Converter help for all those people that need it

    i just bought xilisoft ipod video converter after i tried the free version from the other post and i want to put on the keygen because i want to share it and plus its mine so i can do what ever i want with it so here it is
    (name) TEAM ViRiLiTY
    (serial) MXILKYAMEYIRRMISMTE-0FE2-7E8A-98A7-405B
    there it is folks xilisoft is only for Window users one for mac would be http://www.nullriver.com/index/products/moviepod so there it is folks this is only a one time thing

    Hi,
    Go through the below link, here i gave a answer on inner joins issue, you will understand.
    Re: Improve performance of a SQL request
    <b>Reward points if it helps,</b>
    Satish

  • Help for an Intervieq question that I have today

    The developers are complaining that the database is too low how are you going to check the situation? describe the steps that you will follow
    Can any one help me on this in how to identify the problem and provide solution?
    Thanks
    Nounou

    The developers are complaining that the database is too lowI usually put a phone book under the server.

  • Help for writing to excel file from Java Program

    Hi,
    I am new to Java and Java API. I need to write to some specific cells of an excel file from a Java Program. Please anyone help me or give some directions.
    Thanks,
    Reet

    Hi,
    I saw an example while searching in google about importing jxl.*. Could you direct me how I can import this package as java does not have it. I heard that jxl is much easier that POI although I am not new to both of them.
    Thanks,
    Priya

  • How do I fix safari and mail that displays text incorrectly (html rendering?)?

    help.  I have a problem after using migration assistant to move an account to my new imac running os 10.6?  what can I do to fix this?

    help.  I have a problem after using migration assistant to move an account to my new imac running os 10.6?  what can I do to fix this?
    I would recommend starting over and using Setup Assistant to migrate. SA and MA are cousins, similar but different. The primary differences are SA is more reliable and does not create a second user account. I would recommend using Setup Assistant tips beginning where it discusses "Second Chance...."
    Roger

  • Need help for writing script for Cisco GSS

    /* Style Definitions */
    table.MsoNormalTable
    {mso-style-name:"Table Normal";
    mso-tstyle-rowband-size:0;
    mso-tstyle-colband-size:0;
    mso-style-noshow:yes;
    mso-style-priority:99;
    mso-style-qformat:yes;
    mso-style-parent:"";
    mso-padding-alt:0in 5.4pt 0in 5.4pt;
    mso-para-margin:0in;
    mso-para-margin-bottom:.0001pt;
    mso-pagination:widow-orphan;
    font-size:11.0pt;
    font-family:"Calibri","sans-serif";
    mso-ascii-font-family:Calibri;
    mso-ascii-theme-font:minor-latin;
    mso-fareast-font-family:"Times New Roman";
    mso-fareast-theme-font:minor-fareast;
    mso-hansi-font-family:Calibri;
    mso-hansi-theme-font:minor-latin;
    mso-bidi-font-family:"Times New Roman";
    mso-bidi-theme-font:minor-bidi;}
    We would like to know if running script from DB server it can activate and suspend of answer group instances

    Definitely the wrong forum.
    The forum you arre looking for can be found here:
    http://forum.keithley.com

Maybe you are looking for

  • One hot mail e mail account the screen/font is too big

    I have multiple e mail accounts that are linked. One of the accounts now has a font size too big for the screen. I cannot view anything without moving the bars up and down or left and right. Very annoying. When I go that e mail account with internet

  • Faces didn't inventory all the folders and projects

    So I had Faces turned off for many months to improve performance.  In the meantime, I imported about 10,000+ images into a variety of folders, etc.  I then turned on Faces because I thought it would be fun to play with 70 years of different pictures.

  • How to produce an image Contact Sheet by way of AppleScript

    I have found that the PDF contact sheet action in Automator doesn't allow for labeling the images (with file name and/or creation date etc). So, I thought I may try may hand at doing this by way of AppleScript. Does anyone know whether AppleScript (o

  • How to get the sql query result?

    Hi, Currently I am using LV2012 to connect a Oracle database server. After the installations/settings for Oracle Express and Oracle ODBC driver done. I am sucessfully to use the SQL command to query the data through my window command prompt.  Now the

  • How create multiple named folders at one time? 10.10.02

    How create multiple named folders at one time? 10.10.02 Hello all, I need to create 208 named folders at one time. Please advise. Thanks!