How to do display results in a few pages

Hi Everyone,
I am now currently doing my project, i doing something like a search (E.g. google) i know how to search but i cant display the results.
Here is one situation:
When i search for Java. Then it will go database and get the records related to Java and display the results. I can display all at one time but i want to display it in a form like it can only display a max of 10 results and having a next link or button to display another 10 results on the same page.
Can anyone help me with this. Thank You

I have done a simple mecanism in jsp which do exactly what you want:
<%
    int showNum = 5;   // number of items per page
    int startNum = Utilities.parseInt( request.getParameter( "start" ), 0 ); // parses with a defaultvalue 0
    java.util.List userList = new ArrayList( aCollection );
%>
<td colspan="3">
Pages:
<% for ( int i = 0; i < ( ( userList.size() / showNum ) + (userList.size() % showNum > 0 ?1:0) ); i++ ) { %>
<a href="list.jsp?command=list&start=<%= showNum * i %>"><%= ( i + 1 ) %></a>
<% } %>     
</td>Hope the above helps
/regards Per Jonsson

Similar Messages

  • How can i display my iviews in anonymous page

    hi experts,
    I have created some iviews and  I have created a role for all these i views and assigned this role to anonymous user group.
    when i access the anonymous page,i get the info"contents not exsits or not enabled",well how can i display my iviews in anonymous page
    best regards,
    zlf

    This page may help
    http://help.sap.com/saphelp_nw04s/helpdata/en/1e/e19f58136e654d9709befa464314f2/content.htm

  • How to simply display resulting text in a dialog Box

    Is there a way to simply display resulting text in a dialog Box - not a text edit document?
    Doug_

    Thanks that's very helpful
    What I am trying to to is to create a workflow that opens mail and displays iCal TO DO's that I have created throughout the day tagged with the word MAIL so they can be filtered.
    At the moment the ACTIONS are:
    Launch Mail
    Get New Mail
    Find TO DOs in iCal (Who's SUMMERY includes MAIL)
    I get iCal To Do's as a result
    But then...I can find no options to display the iCal Events that result.
    Putting in the Applescript you posted displays a blank dialog box. This tells me that there is no text in the result.
    Yet if I put a SPEAK TEXT in after find TO DOs it dutifully speaks my filtered TO DO's
    I thought I might just try a NEW MAIL MESSAGE action.
    This works great in the workflow. The content of the new mail is the filtered TO DOs.
    But if I save it as an application (the form I need it in), mail simply opens blank when it reached that part of the work flow.
    What would you recommend?
    Thank again for your help,
    Doug_
    Message was edited by: Douglas Suiter
    Message was edited by: Douglas Suiter
    Message was edited by: Douglas Suiter

  • How do I display result of EXTRACT in PL/SQL

    I'm new to Oracle. I've begun experimenting with the XML functions. I was able to test existsNode and extractValue and see my results OK using DBMS_OUTPUT.PUT_LINE(<some variable of type X>) but I'm failing with EXTRACT. I currently think that extract returns an XML fragment of data type XMLType. I've failed to figure out how to display this fragment so see if my extract is doing what I expect. I've tried TO_CHAR(), TO_CLOB, and EXTRACT('/Root/text()').getStringVal() with no success. Could one of you point me in the right direction? My test is below.
    DECLARE     XMLDoc XMLTYPE;
         XMLOut          XMLType;
    BEGIN
         XMLDoc := XMLTYPE('<Root>
         <Trans_Info Name="ORIGINAL_AUTH_AMOUNT" Value="100.00" Mod_Date="2005-11-18" Trans_Id="100000" Xi_Id="100"></Trans_Info>
         <Trans_Info Name="Web Auth ID" Value="Houston" Mod_Date="2005-11-18" Trans_Id="100000" Xi_Id="100"></Trans_Info>
         <Trans_Info Name="3_SHIP_TO_STATE" Value="Of Mind" Mod_Date="2005-07-28" Trans_Id="100000" Xi_Id="100"></Trans_Info>
    </Root>');
         SELECT     EXTRACT(VALUE(x),'/Root')
         INTO     XMLOut
         FROM     TABLE(XMLSEQUENCE(XMLDoc.EXTRACT('/Root'))) x;
         DBMS_OUTPUT.PUT_LINE(XMLOut);
    END;

    As Garret said getClobVal() should work as should getStringVal()..
    You shouldn't be using XMLSEQUENCE on a node that only occurs once in the document (eg the root node). XMLSEQUENCE should be used to generate virtual tables from nodes that occur mutltiple times as the following shows..
    SQL> set serveroutput on
    SQL> --
    SQL> DECLARE
      2
      3  XMLDoc XMLTYPE;
      4  XMLOut XMLType;
      5
      6    cursor getTransInfo is
      7    select value(x) TRANSINFO
      8      from table(xmlsequence(extract(XMLDoc,'/Root/Trans_Info'))) x;
      9
    10  BEGIN
    11  XMLDoc := XMLTYPE(
    12  '<Root>
    13    <Trans_Info Name="ORIGINAL_AUTH_AMOUNT" Value="100.00" Mod_Date="2005-11-18" Trans_Id="100000" Xi_Id="100"></Trans_Info>
    14    <Trans_Info Name="Web Auth ID" Value="Houston" Mod_Date="2005-11-18" Trans_Id="100000" Xi_Id="100"></Trans_Info>
    15    <Trans_Info Name="3_SHIP_TO_STATE" Value="Of Mind" Mod_Date="2005-07-28" Trans_Id="100000" Xi_Id="100"></Trans_Info>
    16  </Root>');
    17
    18    -- Can use an in-line SELECT INTO here as only one row is returned..
    19
    20    SELECT EXTRACT(XMLDoc,'/Root')
    21      into XMLOUT
    22      from dual;
    23
    24    -- Can also be written as xmlout := XMLDOC.extract('/Root');
    25
    26    -- Use getStringVal() or getClobVal() to serialize XMLType for DBMS_OUTPUT.
    27
    28    DBMS_OUTPUT.PUT_LINE('extract(''/Root'') : ');
    29    DBMS_OUTPUT.NEW_LINE();
    30    DBMS_OUTPUT.PUT_LINE(XMLOut.getStringVal());
    31    DBMS_OUTPUT.NEW_LINE();
    32
    33    -- Use the Cursor to process the set of Trans_Info nodes. Cannot use an inline SELECT INTO here as multiple rows are returned.
    34
    35    DBMS_OUTPUT.PUT_LINE('value(x) : ');
    36    DBMS_OUTPUT.NEW_LINE();
    37
    38    for r in getTransInfo loop
    39      DBMS_OUTPUT.put_line(r.TRANSINFO.getStringVal());
    40    end loop;
    41  END;
    42
    43  /
    extract('/Root') :
    <Root><Trans_Info Name="ORIGINAL_AUTH_AMOUNT" Value="100.00"
    Mod_Date="2005-11-18" Trans_Id="100000" Xi_Id="100"/><Trans_Info Name="Web Auth
    ID" Value="Houston" Mod_Date="2005-11-18" Trans_Id="100000"
    Xi_Id="100"/><Trans_Info Name="3_SHIP_TO_STATE" Value="Of Mind"
    Mod_Date="2005-07-28" Trans_Id="100000" Xi_Id="100"/></Root>
    value(x) :
    <Trans_Info Name="ORIGINAL_AUTH_AMOUNT" Value="100.00" Mod_Date="2005-11-18"
    Trans_Id="100000" Xi_Id="100"/>
    <Trans_Info Name="Web Auth ID" Value="Houston" Mod_Date="2005-11-18"
    Trans_Id="100000" Xi_Id="100"/>
    <Trans_Info Name="3_SHIP_TO_STATE" Value="Of Mind" Mod_Date="2005-07-28"
    Trans_Id="100000" Xi_Id="100"/>
    PL/SQL procedure successfully completed.
    SQL>

  • How can I display results data including history

    Hello.
    I am writing a report in Oracle Reports Builder to produce a student's statement of results and have two parameters for course instance and academic year.
    If user enters course instance and academic year the report has to display all results of students where academic year is less than or equal to the academic year
    entered, for the course instance entered as well as the other course instances a student took before that.
    The report should show all results for the previous years and the different course instances within the same course for every student who is enroled on the course instance entered up to the academic year entered.
    E.g. if student did c-inst1 in 2009, c-inst2 in 2010, c-inst3 in 2011, if user enters 2011 for parameter academic year and c-inst3 as course instance, the report should display all the results of students starting from 2011 going back to 2009 for all the three course instances c-inst1, c-inst2 and c-inst3.
    My question is: What conditions should I put in my report in order to be able to show the required results? Please assist. Thanks.

    u mean this?
    Ian F
    Since LabVIEW 5.1... 7.1.1... 2009, 2010
    依恩与LabVIEW
    LVVILIB.blogspot.com
    Attachments:
    bit_hex_display.vi ‏13 KB

  • Pagination or how to correctly display results

    hi all ! Im having a doubt on how to present some data in my webapp.
    The thing is that a have a 1 to N relation between objects. The way Im doing it now is that when I ask for a information I redirect to another page when a product can have several claims on it.
    The problem is that if I get for example N results the pages expands and repeats the information N times. Not good....
    Wich is the best way to present the information? Pagination? If so wich is the best source for examples or a library?
    Any ideas or suggestions are welcome.
    Thanks a lot!

    What about tabs? I have used those before to show a set of data related to a date but split over age bands, each tabl contained the data for an age band and clicking the tabs opens that set of data. Its pretty easy to do using css and divs and making the tabs clickable using javascript.

  • How do I display results (anywhere) from the SequenceFileLoad Step?

    I want to be able to display the results from the SequenceFileLoad Sequence after the Sequence has been loaded to a window in a customized version of the CVI Test Executive User Interface. I can't seem to find where this Sequence gets called from in the Process Model (breakpoints are ignored), assuming that is where I want to make my changes.

    There are 3 types of callbacks: Model, Engine and FrontEnd callbacks (see table 1-1 and table 6-4 of the TS 2.0 User Manual).
    What differentiates these types are
    1) Where the callback sequences are located.
    2) What calls the callback.
    The SequenceFileLoad callback is an engine callback. This means that it is called by the TS engine and not your model. You place the callback in the sequence file, for which upon opening, you want the callback to run.
    Since the engine is executing this callback you have no control over parameters that are passed into or out of the sequence. In addition, the file global and local variables of the executed SequenceFileLoad callback are lost when the execution completes.
    You could have the callback write the values of
    Locals.Result to a file or station globals so that the information is available after the execution completes. There are even temporary station globals (see Engine.TemporaryGlobals) that allow you to keep hidden station globals variables that does not get written to the StationGlobals.ini upon shutdown of your station. These hidden variables do not appear in the station global window.
    Attached is a starting point for you. When you open this sequence file the Load callback puts its results into a temporary (hidden) station global. When you run the MainSequence, a subsequence is called that replaces its results with those contained in the temporary station global. This only occurs if the global exists. The subsequence also deletes the temporary global. The results appear as the results of the sequence call step in the MainSequence.
    By the way, you enable tracing into the engine callbacks by checking the station option, "Trace Into Separate Execution Callbacks".
    Attachments:
    SeqFileLoadResults.seq ‏30 KB

  • How to separate search results onto different jsp pages?

    Hi,
    I'm using struts framework and I'm a newbie to this technology as well as JSP.
    Let's say, this is an online shop portal and a user has decided to search by category for the products he wants. After submitting the search string, the servlet will return a collection of product value objects to the searchResult.jsp.
    Since this collection may contain alot of products, I will have to allow the user to choose to view the search results by 5, 10, 20 products etc. Now, how do i divide the collection? Do i have to code this function in the action servlet or at the jsp pages? And how do i code them?

    I had a similar problem which I resolved by:
    1) load results into a ArrayList
    2) Have a ValueListHandler with getNextElements(int) & getPreviousElements(int) - see J2EE patterns book for code egs
    3) Then I put logic in display jsp along lines of if ->, call ValueListHandler.getNextElements(10), else call ValueListHandler.getPreviousElements(10)
    Good luck
    Eddie
    Hi,
    I'm using struts framework and I'm a newbie to this
    s technology as well as JSP.
    Let's say, this is an online shop portal and a user
    r has decided to search by category for the products
    he wants. After submitting the search string, the
    servlet will return a collection of product value
    objects to the searchResult.jsp.
    Since this collection may contain alot of products, I
    will have to allow the user to choose to view the
    search results by 5, 10, 20 products etc. Now, how do
    i divide the collection? Do i have to code this
    function in the action servlet or at the jsp pages?
    And how do i code them?

  • How to send quiz results to a web page?

    Okay, this should have taken 2 minutes, not 2 hours. Very frustrating. Here is the situation:
    * Downloaded Captivate 5 Trial Version
    * Created based quiz (which took forever to figure out how to set the correct answers -- HORRIBLE user interface for setup, but that is another issue)
    * I want the results sent to a web page. I will code the web page & database calls, etc. to handle the information (I am a web developer). Just need the information sent somewhere!
    Several big issues here:
    1. When setting up a URL for the "Pass or Fail", nothing happens. User not taken anywhere. No "Post Results" button shown. The Captivate file just ends and that's it. ??
    2. Finally figured out that I needed the "Internal Server" option chosen to have a Post Results button shown. Okay.
    So when I click Post Results (after answering the 5 questions correctly), I am shown a login box. Why? What is this for? This is not needed. I am going to an INTERNAL SERVER. It is none of Adobe's business what this person's name/email is. What gives? Okay... anyways, I enter my own Adobe login information. It then says "Connecting..." then I get a Status Message that says "Unknown Error". Keep in mind this will be used by a general audience, of which approximately 99.9% will not have an Adobe ID, nor should they need one.
    How I can easily have the Captivate file redirect the user to pages like this: Confirm.aspx?pass=yes or Confirm.aspx?pass=no.
    I don't need anything fancy. But I do need something that works. This is terribly frustrating and I'm about to say it just doesn't work. Please tell me I am wrong.
    Thank for your time and for reading this.
    -Randy

    The Quiz Results slide's Continue button actions are set under Quiz Preferences > Pass or Fail > If Passing Grade etc. By default, the Continue button is set to just continue on to the next slide after the Quiz Results.
    After the user clicks the Continue button on the Quiz Results slide any Pass/Fail actions you've set up there will be evaluated and executed.
    So if the user achieved a passing score, and you set up an action such as Go to URL in Current Window for that case, then the user should find themselves redirected to that URL.  If there was a different action for Failure, and the user failed, then that should happen.  But either of these will only happen after the Continue button is clicked.
    I tested this by setting www.google.com as the go to URL and it worked.  To see if the URL is the issue, try using another URL that you know everyone can get to.  If that works, try to find out why the URL you want to use is not working.  If no URL works, something else is interfering with the action.

  • How do I display PDF document as single pages on iPad?

    Hi,
    I have a company catalogue in PDF format, 20 pages long. We use Issuu to allow customer to view the catalogue on their PCs and mobile devices.
    In Issuu you can customise the embed widget to show single pages, and this works fine when viewing the catalogue on a PC. The problem arises when trying to view the catalogue on an iPad. It appears that the iPad automatically sets the PDF to view as a Facing Pages document. It doesn't matter if I'm using Safari, or the Atomic browser we have installed (so that we can hide the URL bar).
    I've created the document in inDesign as a single page document but the iPad still merges pages 2-3, 4-5, 6-7 etc.
    The iPads will be used in our retail stores so it's important that the set up and navigation is as simple as possible. The catalogue is placed within an iFrame on the page so that I can but a navigational banner at the top that easily takes customers back to the main menu page. It's important that the catalogue opens within the page. The Issuu embed widget for Tumblr, etc only creates a preview of the catalogue which then opens in a separate tab, which unfortunately will not be suitable to our needs.
    You can view the page here: http://www.eurocollections.com/block/catalogue.html
    I've tried a number of different options, I've written to Issuu but they were unable to help as it only seems to be an iPad-related problem.
    Any help or suggestions would be greatly appreciated.
    Kind regards,
    Peter

    The PDF viewers on the iPad do not understand customised widgets.  They understand the PDF format, exactly as it was designed by Adobe.  Instead of trying to use a custom solution, use the features which are provided by the PDF format.  Custom solutions work only for the situations that the company that wrote the custom solution wants them to work and they are a corruption of the normal way PDFs are used.
    In your situation I'd remove all dependency on any custom widgets from your PDF document.  Instead you can use links which allow you to click on a piece of text or an image in the PDF and the PDF software will take you to a different page.  This is part of the PDF standard and will work on all software capable of showing PDFs.  It is all your users should need to navigate from one part of your catalogue to another.  Whatever software you're using to create your PDF should give instructions on how to create links in your PDF document.
    Similarly your use of iFrames is a little stange.  If your material is on a web site, put it in web pages where you can use all the features web pages give you, including blue-underlined links to other pages.  If, instead, your material is in a PDF then put all the navigation in the PDF.  Don't try to depend on a strange interaction between the PDF and your web pages.

  • How can i display data on tha same page in jsp/servlet

    Hello friend,
    I am storing 50 items in a dataBase. i ve two buttons/links name previous and next. i ve to display 10 items each time in the same page when i click next button and the revrese for previous. through JSP/Servlet.
    Any suggestions will be appreciated.
    chintan anand

    I'm not sure this is the best practice... try to add the item in the arraylist, then when u click next button, add 10 to the counter. subtract if it is a previous button. thats it!
    ex..
    for(int x=counter;x<=arraylist.lenght();x++)
    ....print item here......
    }

  • How to NOT display header details in every page when printed with PLD

    Hi All
    I am printing a report of all related activities of a business partner using PLD.  in the printout the header details of business partner such as name, phone details are printing in every page along with contents.  how to avoid this situation printing the header details in everypage except first page?
    SV Reddy

    Hi,
    Add a formula field to the page header.  The formula field will need to contain the following text on the Content tab.
    CurrentPage()
    Add another formula field, once again add the following to the Content tab
    Field_101=='1'
    in the example above, Field_101 is the field id for the first formula field you added.
    Now all you need to do is link the fields that you only want printed on the 1st page to the 2nd formula field you added.
    Regards,
    Adrian

  • How can I display a PDF in Fit-Page View mode in Firefox?

    I would like to use Firefox to view PDF documents from the web - but cannot get the PDF fit-page view to be a Firefox option. For large PDF files, I then have to scroll slowly through them - whereas in Adobe Reader, I can view them page by page and scan through it much quicker.

    If you just purchased Acrobat 10, you might be eligible for a free upgrade to Acrobat 11, which is suppposed to have much improved export to PPT.

  • How do you display a Euro symbol in Pages 5.2, Mavericks?

    I haven't found the Euro symbol in the special characters.  Perhaps I need to choose a different font or perhaps I just missed it.
    Where do I find it.
    thanks

    In the special characters palette, you simply type euro in the search panel, and then select it. Click Add to Favorites.
    Keyboard Euro
    U.S. - shift+option together, then 2.
    British - option+2
    French - option + $
    German - option + e

  • Display search results on the same page

    I have a text box with a submit button to the left. Once the user enter the a number in the search field my select query executes.
    My question is how can i display the reult on the same page? I have been able to display results on the same page but my table headers are also displayed at the same time while user is trying to enter the item number.
    i tried using <c:if> but its not wokring, Any help?
    <%@ include file="/WEB-INF/jsp/include.jsp" %>
    <html>
    <head>
    <title>VDP QOH UPDATE</title>
    </head>
    <body>
    <spring:bind path="quantityOnHand">
      <FONT color="red">
        <B><c:out value="${status.errorMessage}"/></B>
      </FONT>
    </spring:bind>
    <P>
    <FORM name="quantityOnHandForm" method="POST" action = ''>
    <CENTER>
    <table BORDER=0  CELLSPACING=0 CELLPADDING=5 WIDTH=600>
        <tr>
              <td COLSPAN=2 BGCOLOR="#003366"><P ALIGN=CENTER><B><FONT COLOR="#FFFFFF" SIZE="2" FACE="Arial,Helvetica,Univers,Zurich BT">Query</FONT></B>
              </td>
         </tr>
         <tr>
              <td WIDTH=215 BGCOLOR="#336699"><P ALIGN=RIGHT>
                  <B>
                     <FONT COLOR="#FFFFFF" SIZE="-1" FACE="Arial,Helvetica,Univers,Zurich BT">
                        Item No:
                      </FONT>
                   </B>
              </td>
              <td ALIGN=LEFT><spring:bind path="quantityOnHand.itemNumber">
                      <input type="text" maxlength="30" size="10" name='<c:out value="${status.expression}"/>' value='<c:out value="${status.
                             value}"/>'>
        <td><font color="red"><c:out value="${status.errorMessage}" /></font>    </td>
           </spring:bind>
              </td>
         </tr>
        <tr>
            <td BGCOLOR="#336699" WIDTH=215> </td>
            <td>
                <input type="submit" name="Submit" value="Submit" >
           </td>
       </tr>
    </table>
    </center>
    </form>This is basically all of my search jsp code. Now i've added my other code after </form> to display the results.
    </form>
    <table BORDER=0  CELLSPACING=0 CELLPADDING=5 WIDTH=600>
        <tr>
              <td COLSPAN=2 BGCOLOR="#003366"><P ALIGN=CENTER><B><FONT COLOR="#FFFFFF" SIZE="2" FACE="Arial,Helvetica,Univers,Zurich BT">Quantity On Hand Search Results</FONT></B>
              </td>
         </tr>
         </table>              
    <c:choose>
    <c:when test="${empty qohInfo}">
             <div align="left" style="color:#336699;"><b>No records Found.<br><br></b></div>
    </c:when>
    <c:otherwise>
         <table width="602" height="92">
              <tr>   
                   <th ALIGN=CENTER BGCOLOR="#336699" width="110" >
                       <B>
                          <FONT COLOR="#FFFFFF" SIZE="-1" FACE="Arial,Helvetica,Univers,Zurich BT">Item Number</FONT>
                       </B>
                   </th>
                   <th ALIGN=CENTER BGCOLOR="#336699" width="115">
                       <B>
                          <FONT COLOR="#FFFFFF" SIZE="-1" FACE="Arial,Helvetica,Univers,Zurich BT">Vendor Id </FONT>
                       </B>
                   </th>
                   <th ALIGN=CENTER BGCOLOR="#336699" width="120">
                       <B>
                          <FONT COLOR="#FFFFFF" SIZE="-1" FACE="Arial,Helvetica,Univers,Zurich BT"> Inventory Date</FONT>
                       </B>
                   </th>
                   <th ALIGN=CENTER BGCOLOR="#336699" width="130" >
                       <B>
                          <FONT COLOR="#FFFFFF" SIZE="-1" FACE="Arial,Helvetica,Univers,Zurich BT">Update Date Time </FONT>
                       </B>
                   </th>
                   <th ALIGN=CENTER BGCOLOR="#336699" width="100" >
                       <B>
                          <FONT COLOR="#FFFFFF" SIZE="-1" FACE="Arial,Helvetica,Univers,Zurich BT">Quantity</FONT>
                       </B>
                   </th>
              </tr>
              <c:forEach var="qohInfo" items="${qohInfo}" varStatus="loop">
        <tr BGCOLOR="#99CCFF">
          <TD align="center"><c:out value="${qohInfo.itemNumber}"/></TD>
          <TD align="center"><c:out value="${qohInfo.vendorId}"/></TD>
          <TD align="center"><c:out value="${qohInfo.inventoryDate}"/></TD>
          <TD align="center"><c:out value="${qohInfo.updateDateTime}"/></TD>
          <TD align="center"><c:out value="${qohInfo.quantity}"/></TD>
        </TR>
      </c:forEach>
      </table>
      </c:otherwise>
      </c:choose>As you can see that the table headers are always shown but i would like to hide the table headers and everything until and unles user clicks on submit button. Any help is appreciated.

    Thanks balusc for your reply. I was curious how would you have used the c:if statement to display the table and hide the table if a user have not clicked the button.
    I wanted to stay away from javasscript

Maybe you are looking for

  • Doubt in interactive report

    hi I have query in secondary list, when I click any field in basic list ,secondary list was displayed ,But I want to display the secondary list when I click one particular field (like matnr) in basic list.. here is the report tables  :  vapma ,      

  • Error in running Cisco IDM

    I'm experiencing a couple of problems when trying to run the Cisco IPS Device Manager (IDM). First, I launched the IDM and received an error that I needed to upgrade to 1.4.2 or higher. So I upgraded my JSE to 1.4.2_12. Then I launched the IDM again

  • Re: SIS SD Reporting

    Hi all, In our Business we wanted the standard SD reports turned on. Hence in t-code OMO1 i activated the standard structures. However I have a question regaring the period split & the updating options present. Period split: Day week month Posting pe

  • Instantiating TextInput and ScrollBar

    I have an application that I moved from Flash CS3. It instantiated a fl.controls.TextInput and ScrollBar and added them to the display list with addChild(). After moving to Flex 3 I naively changed the packages to mx.controls and got the code to comp

  • Are the apps passwords still hardcoded in release 12

    All, Just wondering, are the apps password still hardcoded in any files in release 12. Thanks Giri