ToolTip for the oracle Forms button

Hello

I'm working on forms 6i with database 10g, there is a button in the form my requirement is when my mouse over this button, it should send a message to the user, I want to implement using ToolTip

To the help of the indicator built into the message appears in the lower left corner of the form but I want to use the ToolTip, please can someone suggest me how to implement this, I used when mouse enter trigger but it does not work.

Help, please.

Thanks in advance.

Hello
in help, it has ther tooltip, you can type the message you want to display (for type a message that you typed for the tip). If you want to also set the Visual attribute, you can set (which is below the ToolTip).
It displays the message at run time when moving closer to this particular field...

Tags: Oracle Development

Similar Questions

  • ToolTip for the button

    Nice day

    I'm new to the blackberry development. I created a bitmapbuttonfield using the examples of the advanced user interface. There is a button with an image. I want to display a ToolTip for the button when the button receives the focus. Can someone please help

    Thanks in advance

    Hello

    Use this code:

    package mypackage;
    
    import net.rim.device.api.ui.Field;
    import net.rim.device.api.ui.FieldChangeListener;
    import net.rim.device.api.ui.component.ButtonField;
    import net.rim.device.api.ui.component.Dialog;
    
    public final class MyScreen extends TooltipScreen
    {
    
        ButtonField btn1,btn2,btn3;
        public MyScreen() {
    
            btn1=new ButtonField();
            btn1.setChangeListener(new FieldChangeListener() {
                public void fieldChanged(Field field, int context) {
                    Dialog.alert("Button 1 Click");
                }
            });
            btn2=new ButtonField();
            btn2.setChangeListener(new FieldChangeListener() {
                public void fieldChanged(Field field, int context) {
                    Dialog.alert("Button 2 Click");
                }
            });
    
            btn3=new ButtonField();
            btn3.setChangeListener(new FieldChangeListener() {
                public void fieldChanged(Field field, int context) {
                    Dialog.alert("Button 3 Click");
                }
            });
            add(btn1, "Button 1");
            add(btn2, "Button 2");
            add(btn3, "Button 3");
    
        }
    
    }
    
    package mypackage;
    
    import java.util.Timer;
    import java.util.TimerTask;
    import java.util.Vector;
    
    import net.rim.device.api.ui.Field;
    import net.rim.device.api.ui.Graphics;
    import net.rim.device.api.ui.XYRect;
    import net.rim.device.api.ui.container.MainScreen;
    
    public class TooltipScreen extends MainScreen {
    
        TooltipScreen screen = this;
        boolean doRedraw = false;//prevent infinte redrawing
        Vector tooltips = new Vector();//vector to hold tooltip strings
        private Timer tooltipTimer = new Timer();
        private TimerTask tooltipTask;
        boolean alive = false;//is the tooltip alive? used to pop it after our timeout
        int count = 0;//used to calculate time tooltip is displayed
        //tooltip popup colours:
        int backgroundColour = 0xeeeeee;
        int borderColour = 0xaaaaaa;
        int fontColour = 0x666666;
        //the tooltip:
        String tooltip;
        int tooltipWidth;
        int yCoord;
        int xCoord;
        //region parameters:
        XYRect contentArea;
        int contentBottom;
        int contentRight;
    
        public TooltipScreen() {
            super();
    
            //when timeout reaches 100ms*20 ie. 2seconds set alive to false and redraw screen:
            tooltipTask = new TimerTask() {
    
                public void run() {
                    if (alive) {
                        count++;
                        if (count == 20) {
                            alive = false;
                            invalidate();
                        }
                    }
                }
            };
    
            tooltipTimer.scheduleAtFixedRate(tooltipTask, 100, 100);
    
        }
    
        //override add method adds an empty string to tooltip vector:
        public void add(Field field) {
            tooltips.addElement("");
            super.add(field);
        }
    
        //custom add method for fields with tooltip: add(myField, "myTooltip");
        public void add(Field field, String tooltip) {
            super.add(field);
            tooltips.addElement(tooltip);
        }
    
        public void setColours(int backgroundColour, int borderColour, int fontColour) {
            this.backgroundColour = backgroundColour;
            this.borderColour = borderColour;
            this.fontColour = fontColour;
        }
    
        //reset everything when user changes focus,
        //possibly needs logic to check field has actually changed (for listfields, objectchoicefields etc etc)
        protected boolean navigationMovement(int dx, int dy, int status, int time) {
            count = 0;
            alive = true;
            doRedraw = true;
            return super.navigationMovement(dx, dy, status, time);
        }
    
        protected void paint(Graphics graphics) {
            super.paint(graphics);
            if (alive) {
                Field focusField = getFieldWithFocus();
                tooltip = (String) tooltips.elementAt(screen.getFieldWithFocusIndex());
    
                //don't do anything outside the norm unless this field has a tooltip:
                if (!tooltip.equals("")) {
                    //get the field content region, this may fall inside the field actual region/coordinates:
                    contentArea = focusField.getContentRect();
                    contentBottom = contentArea.y + contentArea.height;
                    contentRight = contentArea.x + contentArea.width;
    
                    //+4 to accomodate 2 pixel padding on either side:
                    tooltipWidth = graphics.getFont().getAdvance(tooltip) + 4;
    
                    yCoord = contentBottom - focusField.getManager().getVerticalScroll();
                    //check the tooltip is being drawn fully inside the screen height:
                    if (yCoord > (getHeight() - 30)) {
                        yCoord = getHeight() - 30;
                    }
    
                    //check the tooltip doesn't get drawn off the right side of the screen:
                    if (contentRight + tooltipWidth < getWidth()) {
                        xCoord = contentRight;
                    } else {
                        xCoord = getWidth() - tooltipWidth;
                    }
    
                    //draw the tooltip
                    graphics.setColor(backgroundColour);
                    graphics.fillRect(xCoord, yCoord, tooltipWidth, 30);
                    graphics.setColor(borderColour);
                    graphics.drawRect(xCoord, yCoord, tooltipWidth, 30);
                    graphics.setColor(fontColour);
                    graphics.drawText(tooltip, xCoord + 2, yCoord);
                }
            }
            //doRedraw logic prevents infinite loop
            if (doRedraw) {
                //System.out.println("redrawing screen: " + System.currentTimeMillis());
                screen.invalidate();
                doRedraw = false;
            }
        }
    }
    
    package mypackage;
    
    import net.rim.device.api.ui.Font;
    import net.rim.device.api.ui.Graphics;
    import net.rim.device.api.ui.Manager;
    import net.rim.device.api.ui.UiApplication;
    import net.rim.device.api.ui.component.LabelField;
    import net.rim.device.api.ui.container.PopupScreen;
    import net.rim.device.api.ui.container.VerticalFieldManager;
    
    class MyTooltip extends PopupScreen{
        int _x;
        int _y;
        TooltipThread _tooltipThread;
    
        private MyTooltip(Manager manager) {
            super(manager);
         }
        public void sublayout(int width, int height)    {
            super.sublayout(width,height);
            setPosition(_x,_y);
            System.out.println("Tooltip x: " + Integer.toString(_x) + ", y: " + Integer.toString(_y));
        }
        protected void applyTheme() {
            // Overriden to suppress Border etc.
        }
        public void removeToolTip() {
            if ( _tooltipThread != null ) {
                _tooltipThread.dismiss();
            }
        }
        private void display(UiApplication uiApp, int x, int y, int displayTime) {
            _x = x;
            _y = y;
            _tooltipThread = new TooltipThread(uiApp, this, displayTime);
            _tooltipThread.start();
        }
    
        public static MyTooltip addToolTip(UiApplication uiApp, String toolTipString, int x, int y, int displayTime) {
            VerticalFieldManager manager = new VerticalFieldManager(Manager.FIELD_VCENTER|Manager.NON_FOCUSABLE) {
                protected void paint(Graphics graphics) {
                    graphics.setColor(0x00FFFFFF); // White
                    graphics.fillRect(0,0,getWidth(),getHeight());
                    graphics.setColor(0x00000000); // Black
                    graphics.drawRect(0,0,getWidth(),getHeight());
                    super.paint(graphics);
                }
            };
            MyTooltip toolTip = new MyTooltip(manager);
            LabelField label = new LabelField(' ' + toolTipString + ' ', LabelField.NON_FOCUSABLE);
            label.setFont(Font.getDefault().derive(Font.PLAIN, 16));
            toolTip.add(label);
            toolTip.display(uiApp, x, y, displayTime);
            return toolTip;
        }
    
        class TooltipThread extends Thread {
    
            Object _notifyObject = new Object(); // Used to allow user to dismiss this Tooltip
            PopupScreen _tooltip; // Screen we are going to display
            UiApplication _ourApplication; // access to pushGlobalScreen and dismissStatus from our Application
            int _displayTime; // in seconds
    
            public TooltipThread(UiApplication ourApplication, PopupScreen tooltip, int displayTime) {
                _tooltip = tooltip;
                _ourApplication = ourApplication;
                _displayTime = displayTime;
            }
    
            public void run() {
                _ourApplication.pushGlobalScreen(_tooltip, 999, false);
                synchronized(_notifyObject) {
                    try {
                        _notifyObject.wait(_displayTime * 1000);
                    } catch (Exception e) {
                    }
                };
                _ourApplication.dismissStatus(_tooltip);
            }
    
            public void dismiss() {
                // notify the waiting object to stop the Thread waiting
                synchronized(_notifyObject) {
                    _notifyObject.notify();
                }
            }
    
        }
    
    }
    
  • Can I ask what's happened on the Oracle Forms forum, after reading it for 20-odd years it seems to have disappeared?

    Can I ask what's happened on the Oracle Forms forum, after reading it for 20-odd years it seems to have disappeared?

    I just get a message saying that the makers of the element do not exist, it can havbe been deleted when you try to access the page to:

    https://community.Oracle.com/community/Developer/English/development_tools/application_development_in_pl_sql/forms_2

    TIA

    Ady

    Ady,

    Apparently the people who helped create this software was last updated forum decided to restructure the many places as well as simply a change of software...

    ... but could not be bothered to document changes, they went to the URL for the new locations.

    FORMS are always, like REPORTS.

    They were buried at the following locations tree:

    All locations > Database > Oracle + Options database > SQL and PL/SQL > PL/SQL application development

  • ToolTip for the button previous and next in trainButtonBar

    I'm not able to view the ToolTip for the buttons next and previous by using trainButtonBar. Can someone help me on this?

    Published by: 952401 on August 13, 2012 05:50

    Hey Vinay... I think you can try this
    Required fields in a train

    It was exactly the solution you need.

    Thank you
    Serge

  • What do I need install Oracle Database 11 g 2 for the Oracle 10 g database migration?

    Hi all

    Would you be kind enough to help me with the following question!  I currently have Oracle Database 10 g on the old servers to my work and I want to install the GR 11, 2 on Windows Server 2008 R2 Enterprise Oracle database to new servers for upgrade.  I also forms, reports and Designer 10 g to maintain our existing applications.  So, I already looked in the Certification and found the following:

    Latest version of the product: latest version of the database server window weblogic

    Form Builder 11.1.2.0.0 11.2.0.4.0 7, 2008 R2, 2008 10.3.6.0.0

    Reports           11.1.2.0.0                                           11.2.0.4.0                                                 7, 2008 R2, 2008                                   10.3.6.0.0

    Designer 10.1.2.6.0 11.2.0.1.0 xp, vista, 7, 2003 (all 32 bit)

    For Designer, it is approved for a 32 - bit window, so I'm having trouble with the new requirement of system this window must be after 2003.  I want to take all of the availability and follow the Oracle certification (except that I will be given Designer because of compliance) as above.  I'm new with Oracle, and I don't know what comes with what to do it is complete.

    1. I'm going to install a database server (free 11.2.0.4.0 as described above) in a new server (2008 R2), then what I have to install the WebLogic Server with it?

    2. I'll install the generator of reports and Forms Builder (11.1.2.0.0) in another server (2008R2), so what I have to install WebLogic Server as well with her?

    3. what else do I need to install on this two server so that they work so that I can begin to migrate all existing data, forms and States more?

    Any advice would be greatly appreciated.  Thank you.

    Remember that this forum is targeted to the Oracle Forms product, for questions about the database can be better answered in one of the areas of database.  That being said, here are my comments:

    1 I'll install a database server (version 11.2.0.4.0 as described above) in a new server (2008 R2), then what I have to install the WebLogic Server with it?

    A database facility didn't need of WLS (which I am aware). Consider what you want is a typical design at three levels. Database - average level (applications server) - Client (tools and end user).   Each level has nothing to do with the other installation point of view assuming that they are not installed on the same computer. WLS is a middleware software (medium level). Be sure to check the product documentation before performing any installation. The 11.2 DB docs can be found here:

    http://docs.Oracle.com/CD/E11882_01/index.htm

    2. I will install Forms Builder and Report Builder (11.1.2.0.0) in another server (2008R2), so what I have to install WebLogic Server as well with it?

    Tools (Forms Builder, generator of reports, etc.) are not remote or web tools.  These must be installed on each developer's computer.  The installation of these tools does not require that WLS be installed first (on the developer's computer), but there is no need to be run unless the developer wants to apply locally for testing.  For a production deployment (multi-user), a similar concept will be used.  WLS will be installed first, followed by the forms and reports Services (runtime).  It will be on your remote server (medium level).  Software distribution you use will be exactly the same for the developer and the installation of intermediate level.  The difference will be in the options you choose during installation.  If you want to include manufacturers during installation, simply check the appropriate boxes when you are prompted.

    Also, if you plan to use the forms/States 11 GR 2, I recommend not using 11.1.2.0 and instead use 11.1.2.2, which is the latest version. F/R 11.1.2.2 installation requires that you first install WLS 10.3.6.  You should refer to the product documentation before beginning any installation. Specifically, carefully examine the product Setup Guide and Guide to the system requirements. The 11.1.2.2 doc library can be found here:

    3 what else do I need to install on this two server so that they work so that I can begin to migrate all the existing data, forms and States on?

    Looks like you've covered everything.  The granular details will be covered in the Installation and Guides to the system requirements.

    My recommendations:

    o ensure that each machine has at least 4gig of RAM

    o ensure that each machine has a static IP address before you start any part of the installation.  This can be done without a static IP address, but you must take additional steps (see Guide to Sys Req).

    o on machines where you plan to install WLS, make sure you have a 64 bit JDK installed first.  If you don't use a F/R 11.1.2.2, you must use Java 6.  However, if you decide to use 11.1.2.2, you can use Java 6 or 7.  Do not use Java 8 in all cases.

    When it comes to the designer, it must be installed on an old machine.  In General, I do not recommend to use it longer.  Although there is currently not a way to full migration out of it, you can use SQL Developer to manage the db objects that were created/used with it.  There are several MyOracleSupport documents that discuss the issue.  You can search the Knowledge Base of MOS to find or contact Support for more information.

  • Unable to connect to the Oracle Forms cmdlet after 30 Seconds (OATS)

    Hello

    While playback get error of OATS (Oracle Application Testing Suite) am most of the time 'Impossible to connect to the Oracle Forms applet after 30 Seconds (OATS)'.

    Please suggest solution for this type of error. I can't go further with this type of error.

    Kind regards
    Sairam

    Hi Sairam,

    GoTo OpenScript preference and change timeout for reading of the EBS/forms.

    Launch OpenScript, click view and select Preferences OpenScript. Then select Oracle EBS/functional forms under playback. Change timeout value.

    Kind regards
    Dembélé M

  • report for the current form

    Hi all
    I want to report for my current form, and I use form 6i

    for example I form, which depend on the table and I want to make the button to report for the active form which show some of the field in the table
    Best regards to all members here
    Yasser

    Hello

    If please create when-pressed to release button and use the following code.

    declare
    v_plist_id paramlist;
    pl_name varchar2(50) := 'rep_params';
    
    begin
    v_plist_id := get_parameter_list(pl_name);
    check_param_list (pl_name); --Check availability of paramlist and
    destroy is present
    
    --When the parameter list already exists it needs to be distroyed first
    if not id_null(v_plist_id) then
    destroy_parameter_list(v_plist_id);
    end if;
    
    v_plist_id := create_parameter_list(pl_name);
    
    add_parameter(v_plist_id, 'P_1', text_parameter, :block_name.item);
    -- input parameter
    add_parameter(v_plist_id, 'PARAMFORM', text_parameter, 'NO'); --
    suppress the display of the Reports p-form
    add_parameter(v_plist_id, 'DESTYPE', text_parameter,
    :control.dest_type); -- set file destination type
    add_parameter(v_plist_id, 'DESNAME', text_parameter,
    :control.dest_name); -- set file destination name
    add_parameter(v_plist_id, 'DESFORMAT', text_parameter,
    :control.dest_format); -- set file destination format
    
    -- call reports
    run_product(reports, 'reports_file', asynchronous, runtime,
    filesystem, v_plist_id, null);
    end;
    

    Sarah

  • How to check the oracle forms?

    Dear friends,

    OS: RHEL AS 3
    DB: 9i R2
    Forms: Developer 6
    pc clients: Windows XP sp2
    Forms Server: novell 4.8

    How to check the oracle forms? for example, we have developed the forms using Developer 6. We would like to know which user accesses the number 152 of the form or the form name hrform.fmx
    Because, every time make us changes in the forms we need more fmx if the user accesses this form so we can not crush him in our novell server.
    Usually, we use a windows scheduler in the night to copy forms. so, if we know the user who has not disconnected from our system. the next day, we ask the user.

    Thank you

    Take a look at

    sys. DBMS_APPLICATION_INFO.set_module

    and

    sys. DBMS_APPLICATION_INFO.set_client_info

    and call these package with good info in each of your form in for example the trigger a TIME NEW FORM INSTANCE...

  • getCustomDatum not implemented for the oracle.jdbc.driver.T4CNamedTypeAccessor class

    Hello world

    running mapviewer Ver11_1_1_7_3_B140717 we met the error above in newspapers trying to create maptiles.

    Installation program:

    -Table with a column of type ordimage (no available georaster here, we have to keep the files in the file system)

    -Spatial index for column in mbr, metadata are

    -All the files using the 31466 (Gauss-Krueger 2) coordinate system

    -Image theme in mapbuilder shows images

    -Bottom of mapbuilder card shows images

    Trying to create the maptiles by using mapviewer administration - manage tile layers creates the above error (same details in the excerpts above).

    AM PIZZABOTEN: Query [p ImageTheme] = SELECT ROWID, RAS_DOB MBR WHERE MDSYS. SDO_FILTER (MBR, MDSYS. SDO_GEOMETRY (2003, 31466, NULL, MDSYS.) SDO_ELEM_INFO_ARRAY (1, 1003, 3), MDSYS. SDO_ORDINATE_ARRAY(:mvqboxxl,:mvqboxyl,:mvqboxxh,:mvqboxyh)), 'querytype = WINDOW') = 'TRUE' AND (pyramid = 25)

    August 14, 2015 15:36:37 oracle.sdovis.theme.ImageThemeProducer loadImagesFromDBCached

    FEINER: Fetch size: 100

    August 14, 2015 15:36:37 oracle.sdovis.theme.ImageThemeProducer loadImageBlock

    AGAIN: Ungultiger Spaltentyp (invalid column type?): getCustomDatum not implemented for the oracle.jdbc.driver.T4CNamedTypeAccessor class

    August 14, 2015 15:36:37 oracle.sdovis.theme.ImageThemeProducer loadImagesFromDBCached

    WARNUNG: unable to load keyframe: AAAVuOAAMAAAACFAAB

    August 14, 2015 15:36:37 oracle.sdovis.theme.ImageThemeProducer loadImagesFromDBCached

    INFORMATION: Exec sql [RAS_DOB_2014_TEST] time: 7ms, 0 images of loading time: 1 ms.

    August 14, 2015 15:36:37 oracle.sdovis.DBMapMaker renderEm

    INFORMATION: * the time spent on the loading features: 14ms.

    MapTiles records only show the background color.

    Has anyone else experienced this problem?

    Best regards

    NilsO

    Hi Nils

    12.1.3 WebLogic jdbc libraries are located in the MW_HOME/oracle_common/modules/oracle.jdbc_12.1.0 directory level.

    For this WLS jdbc driver is ojdbc7.jar which is loaded on startup of WLS.

    As mentioned on the post preceding this is is not compatible with the 11.1.1.7.3 MapViewer to display the ORDIMAGE. Seems that even the ojdbc6.jar that exists in this directory cannot be used.

    What to do is make the WLS Server uses the ojdbc6.jar for 11.1.1.7.3. There are different ways to use a different pot in WebLogic.

    This page http://docs.oracle.com/middleware/1212/wls/JDBCA/third_party_drivers.htm was noted in this regard.

    As a quick test, you can try to make the ORDIMAGE with the following steps;

    (1) on page MapViewer OTN, Oracle Fusion Middleware MapViewer access downloads and download the quick start for the 11.1.1.7.3 Version.

    You will find the glassfish3/glassfish/domains/Domain1/lib folder a file jdbc ojdbc6.jar.

    (2) on your installation of a WebLogic domain:

    Navigate to the oracle_common/modules/oracle.jdbc_12.1.0 directory

    make a backup of ojdbc7.jar

    copy the ojdbc6.jar on top of ojdbc7.jar

    (3) start Weblogic server and try to make your theme ORDIMAGE.

    As I mentioned before, there are different ways to add a jar to WebLogic classpath. The quick test above is just replace the original ojdbc7.jar in a facility that is not good, as you lose you original ojdbc7.jar.

    Best regards.

    João

  • Calculate the fastest path between 2 nodes with the data model for the Oracle network

    Hi all,

    I have Oracle 10 g 2.

    My problem is the following:

    I created a network named ITALIA_NET in the data model for the Oracle network.
    The table of links of this network is named: ITALIA_NET_LINK$.
    The table of the nodes of this network is named: ITALIA_NET_NODE$.

    The table ITALIA_NET_LINK$ contains a field named COST that contains links (in meters) lengths.

    I've already calculated the SHORTEST PATH between two nodes of the network, by using the method of shortestPath() (using the Java API) as shown on "Pro Oracle Spatial for Oracle Database 11 g" manual. Infact, this method makes reference to the COST field for $ ITALIA_NET_LINK to make this calculation.

    Now, I want to calculate the FASTER PATH between two nodes of the network. I have the links (in hours) travel time to make this calculation.

    My idea is to create a new field in ITALIA_NET_LINK$ named Cost2 containing the travel time from the links and then do the math by using the shorthestPath() method, referring to the Cost2 field to $ ITALIA_NET_LINK COST field instead.
    By default, I know that the shorthestPath() method returns the COST field for $ ITALIA_NET_LINK. Is possible to change this setting and do that this method refers to the Cost2 field?

    In the alternative, is another way for the calculation of the fastest way?
    I want to leave the creation of another network as last solution, because I will have other costs of field (Cost3, cos4t,...)

    Thank you much in advance.

    Your approach is good. You will have two networks and you can read them in memory and analyze of shortest path. The shortestPath method is static for the class of NetworkManager. You can use the same method for both networks, once they are read into memory.

    ...
    read the network with time as cost of link
    NetTime network = NetworkManager.readNetwork (dbConnection, 'ITALIA_NET_TIME');
    read the network length as cost of link
    Network netLength = NetworkManager.readNetwork (dbConnection, 'ITALIA_NET_LENGTH');

    calculate the quickest way
    PathTime path = NetworkManager.shortestPath (netTime, startNodeID, endNodeID);
    calculate the shortest path
    PathLength path = NetworkManager.shortestPath (netLength, startNodeID, endNodeID);
    ...

    In the future, if you upgrade to 11g, network data model provides a load on demand (LOD) API that loads only the scores of necessary network in memory during the analysis. This command removes the restriction of the memory of the 10g (in memory API you use) API. API of LOD can handle very large networks and offers more features analysis and modeling capabilities.

    The following link contains the tutorial of NDM LOD API ready for download. Just for your information.
    https://spatial.SampleCode.Oracle.com/servlets/ProjectProcess?PageID=0Zl7oV

    Kind regards
    Jack

  • View the pdf file stored in the oracle forms, oracle database

    Forms [32 bit] Version 10.1.2.0.2 (Production)
    Oracle9i Enterprise Edition Release 9.2.0.8.0 - 64 bit Production
    With partitioning, OLAP and Oracle Data Mining options
    Release 9.2.0.8.0 - Production jserver
    Oracle Toolkit Version 10.1.2.0.2 (Production)
    PL/SQL Version 10.1.0.4.2 (Production)
    Oracle V10.1.2.0.2 - Production procedure generator
    PL/SQL Editor (c) WinMain Software (www.winmain.com), v1.0 (Production)
    Query Oracle 10.1.2.0.2 - Production Designer
    Oracle virtual graphics system Version 10.1.2.0.2 (Production)
    The GUI tools Oracle Utilities Version 10.1.2.0.2 (Production)
    Oracle Multimedia Version 10.1.2.0.2 (Production)
    Oracle tools integration Version 10.1.2.0.2 (Production)
    Common tools Oracle area Version 10.1.2.0.2
    Oracle 10.1.0.4.0 Production CORE

    ___________________

    I created external directory and can't seem to load pdf files in a table called test_blob oracle database.

    CREATE TABLE test_blob)
    ID Number (15)
    , file_name VARCHAR2 (1000)
    image BLOB
    , timestamp, DATE
    )





    I have 2 pdf files in the table. I wish to see this pdf from forms when the user clicks the button. On triggering when key pressed, I want to show the PDF onscreen. Any help is appreciated. Not on the designer. I need to run the application form.



    SELECT id, file_name,
    DBMS_LOB. Length of GETLENGTH (image),
    timestamp
    OF test_blob

    ID | FILE_NAME | LENGTH | TIMESTAMP
    1001 | HeartlandEmployeeReferralCard.pdf|353718|1/28/2013 2011 11:44:41
    1002 | HeartlandEmployeeReferralCard.pdf|353718|1/28/2013 2011 11:51:07

    Published by: user_anumoses on January 28, 2013 11:45

    I had to go back and look at some documentation on our application server. If these steps do not work for you, you may need to click on 'Help' in your business manager and search for 'DADDY' or "Database Access Descriptor".

    According to these steps:
    1. connect to Oracle Enterprise Manager (http://finserv1:1810) - this would be the name of your server and port
    2. click on FIN_Midtier_1.finserv1 - this would be the name of your application server
    3. click on HTTP_Server
    4. click on Administration
    5. click on properties of PL/SQL (link at the top: application server: FIN_Midtier_1.finserv1 > HTTP_Server > mod_plsql Services)
    6. scroll the page to the Section of DAD
    7. click the Create button (right part of the screen)
    8. Select Type of DADDY of the general and click on Next (step 1 of 2)
    9. start to fill in the information of connectivity for DAD
    10 to precede the name of DAD or a location to a / pls in this example: / pls/findadgen
    11. username: enter the user name where the stored procedure (READ_PDF)
    12 password: enter the password for the user name that you just entered.
    13 Connect String is the database you want the DAD to connect to (the READ_PDF where)
    14. the connection string format is: TNSFormat because the connection string is resolved through tnsnames.ora
    15 get the language NLS value by running the following query against the schema/database this DAD is to be setup for:

    select value, parameter
      from nls_database_parameters
     where parameter in ('NLS_LANGUAGE', 'NLS_TERRITORY','NLS_CHARACTERSET');
    
    VALUE                                      PARAMETER
    ---------------------------------------- ------------------------------
    AMERICAN                                 NLS_LANGUAGE
    AMERICA                                  NLS_TERRITORY
    WE8ISO8859P1                             NLS_CHARACTERSET
    

    Enter the value in the form: _.< nls_characterset="">
    In our example, we have: AMERICAN_AMERICA. WE8ISO8859P1

    16. default Page: enter the name of the procedure that will be called if it is not specified in the URL. In our example, we use the name of the procedure: read_pdf
    17 Authentication Mode: the default value of Basic
    18. then click on Next (step 2 of 4) at the bottom right
    19. click on next again (step 3 of 4)
    20. click OK (step 4 or 4)
    21. your done. Don't forget DAD or any changes made to the DAD will not take effect until the server is restarted. Take the necessary steps to get this done.

    We then get an image with the chapters of dads who shows a name or location of/pls/findadgen, the user name, connect the string and status (green arrow - maximum)

  • The "Send form" button does not work in Chrome or Safari PDF viewer

    I have created a PDF file and have included a button 'Submit' at the bottom of the page. When all required fields are completed, hit Submit attached the document in an e-mail message to us. The only problem is that this 'submit' function only works when you view the document in Adobe Reader.

    Given that the form located on our Web site, when the link is clicked it opens upwards by default in Safari or Chrome PDF Viewer for the browser (etc.). Unfortunately, the 'Submit' function does not work in the browser view. The fields are to be filled, but the Send button does not work.

    Suggestions?

    These browsers display PDF files using their own internal PDF plugin. You should report bugs with these plugins to their creators.

    It has nothing to do with Adobe.

  • the oracle form execution window resizing

    Hello guys

    I'm doing a login form in the oracle 6i form builder
    and I want to as that user run it it open like the rectangle box in the center of the screen of the user.
    I've done for her, but the problem I m facing inthat is that I m unable to resize the length of oracle form window size depending on the size og my login
    the form window.
    PL tell me how to do this.

    Thank you

    Regarding
    Vishal Agrawal

    Use SET_WINDOW_PROPERTy and as FORMS_MDI_WINDOW window name.

  • Download the oracle forms

    is it ok to download forms from the oracle site if it's for the home/self-training with the books?

    Read the OTN Developer license
    http://www.Oracle.com/technetwork/licenses/standard-license-152015.html

    see you soon

  • Newbie question for the Oracle application server

    Hi Master,
    a DBA I am interesting to broaden my skill with learning on the application server.
    I knew that in the past before Weblogic bought by Oracle, Oracle, always using Oracle application server.
    Now with the Weblogic gaining more popularity on the market, which is the product the value of learning and get certified.

    Is it still useful to take Application Server 10 g or go with Weblogic. in certification path, Weblogic 10 g.
    WebLogic now replaces the Oracle application server, average abandoned Oracle Application Server?

    Please enlighten me and thank you for your help

    Lie

    Question if I go for Oracle WebLogic Server 10 g Administrator Certified Expert System it will be good to work with 11g thus?

    Make it part of the same system (now). Like WebLogic is the portal and the Jukebox, forms etc. are the records.

    What book other than the documentation that you have found the right one for learning.

    Yet to find one, Oracle documentation was OK.

    Is it better to learn the Linux or Windows version?

    Both are very well, choose the operating system you know better.

    Best regards

    mseberg

    I built my Middleware on Linux 64-bit test. Note that the 32-bit version allows to run Forms and Reports Developer.

    Beware of pre-installation tasks

    Install the Oracle database
    Linux RCU (repository creation utility)

    Database

    Use an existing database. (And it worked)

    My test was divided into four main parts: (in this order)

    Installation of the regional coordination unit
    WebLogic Server Install
    Install JRocket
    Forms and reports Install

    According to me, it took me two or three times to do things. (or at least work)

    I found myself with these URLs in the end:

    Administration Server Console http://Host/console 7001
    Enterprise Manager Console http://Host/em 7002
    Enterprise Manager Agent http://Host/emd/main
    Oracle Forms http://Host/formes/frmservlet 9001
    Oracle reports http://Host/rapports/rwservlet 9002

    So far, I have only an addition to my Web Page:

    http://www.Visi.com/~mseberg/compile_forms_on_wl.html

    As always this work orders:

    ./opmnctl status
    

    I was able to add PHP after you apply the hotfix 9292625.

    Note of Oracle that I found useful

    854117.1

    Published by: mseberg on May 20, 2011 14:16

Maybe you are looking for