Is this possible with java/JSP iview?

I am trying to dynamically create a number of gridLayoutCells/textviews.
I am having a problem creating the strings in my JAVA code. For example: <i>hbj1 = "<hbj:";</i>.
This returns "".
Can you not use certain characters in strings???
It seems like I cannot make a string with the '<' character in it.
I have a JSP.
The code is, for example,...
<hbj:content id="myContext" >
  <hbj:page title="myPage">
   <hbj:form id="myFormId" method="post" action="">
     <hbj:gridLayout id="myGridLayout">
       <b><%=MyBean.getReportList() %></b>
     </hbj:gridLayout>
   </hbj:form>
  </hbj:page>
</hbj:content>
My JAVA code builds a string -
hbjFull = "";
count = 1;
DO
hbj1 = "<hbj:gridLayoutCell id='myGLC3x" + Integer.toString(count) + "x2' ";
hbj2 = " horizontalAlignment='LEFT' rowIndex=" + Integer.toString(count) + " columnIndex='2'>";
hbj3 = "<hbj:textView id='tvReportNm" + Integer.toString(count) + "' design='STANDARD' width='250' wrapping='TRUE' encode='false' text='" + itemKey + "' /></hbj:gridLayoutCell>";
hbjFull = hbjFull + hbj1 + hbj2 + hbj3;
count = count + 1;
WHILE
<b>myBean.setReportList(hbjFull);</b>
<i>itemKey is populated from the results of a RFC to SAP BW database.</i>

Thanks to all...
I really should better clarify my question.
I am not trying to dynamically create the gridlayout/textviews. Not as in "on-the-fly".
I want to create the layout in my doInitialization java method. Just a one time thing.
Basically, I need a textview (gridrow) for each row that I have returned in a result set.
Therefore...shouldn't my original idea work?
My string is being set to my bean just fine.
So, now I need the JSP to retrieve the value from the bean.
My JSP code basically looks like this...
<hbj:gridLayout id="myGridLayout2" columnSize="3" cellSpacing="5">
   <%=MyBean.getReportList() %>
</hbj:gridLayout>
where MyBean.getReportList() should be the value from the bean.
I did create a javascript function that pops up an alert that shows that the value in the bean is correct. This value is:
<hbj:gridLayoutCell id="myGridLayoutCell2x4x2" horizontalAlignment="LEFT" rowIndex="5" columnIndex="2" colSpan="80">
         <hbj:textView id="tv4" design="HEADER2" width="250" wrapping="TRUE" encode="false" text="Report 1" />      
       </hbj:gridLayoutCell>
<hbj:gridLayoutCell id="myGridLayoutCell2x5x2" horizontalAlignment="LEFT" rowIndex="5" columnIndex="2" colSpan="80">
         <hbj:textView id="tv5" design="HEADER2" width="250" wrapping="TRUE" encode="false" text="Report 2" />      
       </hbj:gridLayoutCell>
I guess I am just not sure how to use the value from the bean.

Similar Messages

  • I want the Genius recommendation column back.  Is this possible with the latest iTunes?  If not, this was a poor decision to remove it :/

    I want the Genius recommendation column back.  Is this possible with the latest iTunes?  If not, this was a poor decision to remove it :/

    Hi,
    Genius recommendations are available in the itunes Store.
    Jim

  • Hi - Re Keynote  I'm trying to figure out how to create a music album on USB flash drive. What I want is a background picture with 'click-buttons' to play each track listed, also similar for embedded videos and photos etc.  Is this possible with Keynote ?

    Hi - Re Keynote  I'm trying to figure out how to create a music album (as an artist) on USB flash drive, (accessible by both Mac and PC). What I want is a background picture with 'click-buttons' to play each track listed, and play in order (like a cd) - also similar for embedded videos and photos etc. This should all be on the one page.  
    Is this possible with Keynote, or any other software package for Mac (am using Macbook Pro) ?
    Gav 88

    Hi there,
    Yikes, it sounds like you've been doing a lot of work on this project... Unfortunately, however, this isn't the Adobe Encore forum, but the Acrobat.com forum. While it seems like an exciting question, we're not able to address issues pertaining to other Adobe products and services. Here's a link to the Adobe Encore forum, where you're more likely to get help for this specific issue:
    http://forums.adobe.com/community/encore
    Sorry not to be of more specific help to you. Best of luck!
    Kind regards,
    Rebecca

  • HT4356 I am looking to carry a mono laser printer onboard my van to print invoices from my iPad. Is this possible with AirPrint, I have no WiFi modem or computer onboard. Kind Regards Rob

    I am looking to carry a mono laser printer onboard my van to print invoices from my iPad. Is this possible with AirPrint, I have no WiFi modem or computer onboard. Kind Regards Rob

    Only if you have an airprint printer that supports ad hoc network connections (ad hoc connections are one wifi device connecting over the air directly with another).
    If you search for "airprint ad hoc" you'll get plenty of hits - several printers to choose from it looks like.

  • Is this possible with LOG ERRORS?

    I have a procedure which does a bulk insert/update operation using MERGE (running on Oracle 10gR2). We want to silently log any failed inserts/updates but not rollback the entire batch no matter how many inserts fail. So I am logging the exceptions via LOG ERRORS REJECT LIMIT UNLIMITED. This works fine actually.
    The one other aspect is the procedure is being called from Java and although we want any and all good data to be committed, regardless of how many rows have bad data, we still want to notify the Java front end that not all records were inserted properly. Even something such as '150 rows were not processed.' So I am wondering if there is anyway to still run the entire batch, log the errors, but still raise an error from the stored procedure.
    Here is the working code:
    CREATE TABLE merge_table
        t_id     NUMBER(9,0),
        t_desc   VARCHAR2(100) NOT NULL
    CREATE OR REPLACE TYPE merge_type IS OBJECT
        type_id     NUMBER(9,0),
        type_desc   VARCHAR2(100)
    CREATE OR REPLACE TYPE merge_list IS TABLE OF merge_type;
    -- Create Error Log.
    BEGIN
        DBMS_ERRLOG.CREATE_ERROR_LOG(  
            dml_table_name      => 'MERGE_TABLE',
            err_log_table_name  => 'MERGE_TABLE_ERROR_LOG',     
    END;
    CREATE OR REPLACE PROCEDURE my_merge_proc_bulk(p_records IN merge_list)
    AS
    BEGIN
        MERGE INTO merge_table MT
        USING
            SELECT
                type_id,
                type_desc
            FROM TABLE(p_records)
        ) R           
        ON
            MT.t_id = R.type_id
        WHEN MATCHED THEN UPDATE
        SET
             MT.t_desc = R.type_desc
        WHEN NOT MATCHED THEN INSERT
            MT.t_id,
            MT.t_desc
        VALUES
            R.type_id,
            R.type_desc
        LOG ERRORS INTO MERGE_TABLE_ERROR_LOG ('MERGE') REJECT LIMIT UNLIMITED;
        COMMIT;
    END;
    -- test script to execute procedure
    DECLARE
        l_list       merge_list := merge_list();
        l_size       NUMBER;
        l_start_time NUMBER;
        l_end_time   NUMBER;
    BEGIN
        l_size := 10000;
        DBMS_OUTPUT.PUT_LINE('Row size: ' || l_size || CHR(10));
        l_list.EXTEND(l_size);
        -- Create some test data.
        FOR i IN 1 .. l_size
        LOOP
            l_list(i) := merge_type(i,'desc ' || TO_CHAR(i));
        END LOOP;
        EXECUTE IMMEDIATE 'TRUNCATE TABLE MERGE_TABLE';
        EXECUTE IMMEDIATE 'TRUNCATE TABLE MERGE_TABLE_ERROR_LOG';
        -- Modify some records to simulate bad data/nulls not allowed for desc field  
        l_list(10).type_desc := NULL;
        l_list(11).type_desc := NULL;
        l_list(12).type_desc := NULL;
        l_list(13).type_desc := NULL;
        l_list(14).type_desc := NULL;
        l_start_time := DBMS_UTILITY.GET_TIME;   
        my_merge_proc_bulk(p_records => l_list);
        l_end_time := DBMS_UTILITY.GET_TIME;
        DBMS_OUTPUT.PUT_LINE('Bulk time: ' || TO_CHAR((l_end_time - l_start_time)/100) || ' sec. ' || CHR(10));
    END;
    /I tried this at the end of the procedure, but it does not work, probably because I am not using SAVE EXCEPTIONS:
        IF (SQL%BULK_EXCEPTIONS.COUNT > 0) THEN
            RAISE_APPLICATION_ERROR(-20105, SQL%BULK_EXCEPTIONS.COUNT || ' rows failed for the batch.' );
        END IF;Also the one thing we would like to have is the datetime logged for each failure in the ERROR_LOG table. We may be running several different batches over night. Is this possible to manipulate the table to add this?
    Name                              Null?    Type
    ORA_ERR_NUMBER$                            NUMBER
    ORA_ERR_MESG$                              VARCHAR2(2000)
    ORA_ERR_ROWID$                             ROWID
    ORA_ERR_OPTYP$                             VARCHAR2(2)
    ORA_ERR_TAG$                               VARCHAR2(2000)
    CHANNEL_ID                                 VARCHAR2(4000)
    CHANNEL_DESC                               VARCHAR2(4000)
    CHANNEL_CLASS                              VARCHAR2(4000)Edited by: donovan7800 on Feb 16, 2012 1:14 PM
    Edited by: donovan7800 on Feb 16, 2012 1:17 PM

    Ah yes I remember. The guy needing the TABLE(p_records).
    Re: Merge possible from nested table?
    >
    I tried this at the end of the procedure, but it does not work, probably because I am not using SAVE EXCEPTIONS:
    IF (SQL%BULK_EXCEPTIONS.COUNT > 0) THEN
    RAISE_APPLICATION_ERROR(-20105, SQL%BULK_EXCEPTIONS.COUNT || ' rows failed for the batch.' );
    END IF;
    >
    Correct - you need to use SAVE EXCEPTIONS.
    I know there is the FORALL command, but I figured there was a way to do this with MERGE since the procedure does an update if a match is found instead
    But you can use MERGE with FORALL and add the SAVE EXCEPTIONS to handle your problem.
    I still have a question as to what the source of the PL/SQL table provided by the parameter Is this table being prepared in another PL/SQL procedure, in Java, or how? Are you confident that the number of rows in the table will be small enough to avoid a memory issue?
    If in PL/SQL you could pass a ref cursor and then in this proc use a LOOP with a 'BULK COLLECT into' with a LIMIT clause to do the processing.                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                           

  • Is this possible with Boxes?

    Hi,
    I am currently using a Horizontal Box to group a JLabel, 3 JTextFields and a JButton in a row. (it is a date entry field, with a pop-up calendar that is activated by the button.)
    It looks exactly how I want it, EXCEPT that I need to make an exact replica of those objects, so the top fields will be used as a date search function FROM X date and the bottom fields will be the TO X date.
    However, I cannot find a way to move the "search TO date" fields one line down or below the "search FROM date" fields.
    Is this possible? Because right now my GUI looks rather silly with 10 objects horizontally spanning my screen.
    Thanks in advance.

    You will need to use multiple components.
    You probably want something like:
    Search from:
    Search to:
    [          ] [          ] [           ]It may be a good idea to use combo boxes with fixed
    values instead of textfields. If you use textfields,
    then you'll have to verify the input.I'm quite happy using textfields as I have already written two classes that verify the type of input and limit the amount of characters entered.
    So you'll have 4 components (1 for each horizontal
    row).
    Then you can create another box, but this time
    vertical:
    Box box = new Box(BoxLayout.Y_AXIS)
    and then add the 4 components to the box.I dont really understand this part.
    So, you are saying I should make 2 horizontal boxes and then put them in a vertical box?
    And what is that syntax? As far as I know, you create a box using:
    Box box  = Box.createVerticalBox();Thanks for the prompt reply.

  • Batch: Open Bridge 'Stacks' as layers in PS CS5 + run action. Is this possible with script??

    I posted this topic a couple of days ago - I didn't know about this forum/group so the thread appears in Photoshop Scripting and Bridge Windows. I haven't found a solution on those forums - can any one here help?
    http://forums.adobe.com/thread/880777?tstart=0
    http://forums.adobe.com/thread/880779?tstart=0
    I would like to automate part of my workflow that involves opening stacked images (in Bridge CS5) as layers in Ps CS5 and running an PS action that composites the layers and processes the image. Something similar to 'Process Collection' in Bridge CS5 only with my own action instead of merge to HDR/Panorama.
    Apparently this is possible with Mac 'Automator' - is there anything I can do in Windows? I don't have any experience with writing scripts, but have friends that can help. Can someone tell me if its possible and point me in the right direction please?
    This needs to be a batch process. I know how to open images as layers from Bridge so that I can manually run the PS action - I would like to automatically process lots of images in this same way.
    To clarify, the script if possible will need to
    1) find first stack (in Bridge [in selected folder])
    2) open as layers in PS
    3) run PS action
    4) save and close (as psd preserving layers)
    5) find next stack in Bridge (selected folder) and repeat.
    By 'stack' I mean a set of similar files (for instance same scene -2EV, 0EV, +2EV)
    Bridge's 'Process Collection' feature is great because it very cleverly recognises similar images (I think you have to stack them first) opens them and either processes them into a hdr or panoramic image. Instead or hdr or pano, wouldn't it be great if you could run your own action.
    Bridge's Image Processor is fantastic at opening a batch of individual files and running your own processing action, but it won't open groups of images ('Stacks' or sets) as layers.
    What I need is basically a hybrid of the two.

    In case you miss my late append in the other thread you may want to look at the auto collection script that ships with the Bridge and use it as a base for what you want to do. You may also be able to automat the creation of your stacks if their time stamps are close. The Auto Collection Script night now does two types of stacks  HDR and Panoramas.  You may be able to modify it to do a third stack type. You stack type and use your stack processing process instead of mearge to HDR or PhotoMerge.
    From Bridge help:
    The Auto Collection CS5 script in Adobe Bridge assembles sets of images into stacks for processing as high dynamic range (HDR) or panoramic composites in Photoshop CS5. The script collects images into stacks based on capture time, exposure settings, and image alignment. Timestamps must be within 18 seconds for the Auto Collection script to process the photos. If exposure settings vary across the photos and content overlaps by more than 80%, the script interprets the photos as an HDR set. If exposure is constant and content overlaps by less than 80%, the script interprets the photos as being part of a panorama.
    Note: You must have Adobe Bridge with Photoshop CS5 for Auto Collection CS5 to be available.
    To enable the Auto Collection CS5 script, choose Edit > Preferences (Windows) or Adobe Bridge CS5.1 > Preferences (Mac OS).
    In the Startup Scripts panel, select Auto Collection CS5, and then click OK.
    Select a folder with the HDR or panoramic shots, and choose Stacks > Auto-Stack Panorama/HDR.
    Choose Tools > Photoshop > Process Collections In Photoshop to automatically merge them and see the result in Adobe Bridge.

  • Is this possible with flash?

    I have a client that needs a CDrom with data update
    capabilities.
    I've never have done something similar, but I thought some
    like this could
    (or not!) be done:
    > The application would create a folder on the user's PC
    (wich could be
    > assigned by him, or into a default location)
    > Would check a URL for updates, and download them into
    the previously
    > created folder
    > the it would read the contents from that updated folder
    Is this possible? One one the many problems would be to have
    the flash app
    remembering the 'Updates Folder' path.
    Any help would be great.
    Thanks in advance,
    Jorge Olino

    hi,
    this is possible only with a help of third party application
    like mdm zinc or flashjester or mprojector. flash itself doesnot
    has this capability as it is made for web mainly.
    gaurav

  • Is this possible with Actionscript 3 events?

    Fairly new to AS3. Studying up on events.
    Is it possible to have a simple value object dispatch an event and have the script inside the MXML respond to that event itself without having to register the event on the value object itself?
    Example of what I'm talking about
    I have a simple value object named Person. Not directly inherited from anything.
    Has one variable.  firstName : String;
    When the firstName variable gets changed, the setter creates a new DispatchEvent object and dispatches a new event. It does this without any runtime errors.  Back in the MXML, I want the MXML's Application to be what registers the event, NOT the Person object. In fact, it can't because I didn't inhert from the DispatchEvent class.
    I've provided both the custom class and the MXML. I've kept it as bare bones and as simplistic as possible to get my intent across.
    =======================================
    MY CUSTOM CLASS DEFINITION
    =======================================
    package myClasses
    import flash.events.Event;
    import flash.events.EventDispatcher;
    public class Person
      private var _firstName : String;
      public function Person( fName : String )
       _firstName = fName;
      [Bindable(event="firstNameChange")]
      public function get firstName():String
       return _firstName;
      public function set firstName(value:String):void
       if( _firstName !== value)
        _firstName = value;
        var d:EventDispatcher = new EventDispatcher( );
        d.dispatchEvent( new Event( "firstNameChange" ) );
    =======================================
    MY MXML
    =======================================
    <?xml version="1.0" encoding="utf-8"?>
    <s:Application xmlns:fx="http://ns.adobe.com/mxml/2009"
          xmlns:s="library://ns.adobe.com/flex/spark"
          xmlns:mx="library://ns.adobe.com/flex/mx" minWidth="955" minHeight="600"
          creationComplete="application1_creationCompleteHandler(event)">
    <fx:Script>
      <![CDATA[
       import mx.controls.Alert;
       import mx.events.FlexEvent;
       import myClasses.Person;
       [Bindable]
       protected var myPerson:Person
       protected function application1_creationCompleteHandler(event:FlexEvent):void
         // Want the "application" to be notified when the "firstNameChange" event happens
        addEventListener( "firstNameChange", personChanged );
        myPerson = new Person( "Scoobie Do" );
        // Force a change and HOPE the event triggers
        myPerson.firstName = "Shaggy";
         // This is NOT being ran.
       protected function personChanged( e:Event ) : void
        Alert.show( "triggered" );
      ]]>
    </fx:Script>
    </s:Application>
    All the examples I've seen would have the Person class inherit from the DispatchEvent class, then back in the MXML you'd have something like this
    var p:Person = new Person( "thelma" );
    p.addEventListener( "firstNameChange", someEventHandlerFunction );
    I get that, but not what I'm trying to acheive here. I just want the Person object to dispatch the event and have someone else be able to listen for the "firstNameChange" event.   Is this possible?
    Thanks for the help!!!!

    Ahh, the age-old signals/slots vs Events debate...
    The fact there is even a discussion on the topic gives you an idea of how powerful the language is (compared to other sandboxed client-side instruction sets). Architecturally, anything is possible. Hell, you could even write your own byte code interpreter if you wanted...
    To get back to the original question, what you are looking for is a standardized way to get classes to communicate with each other, yes? This is usually done through a framework, or various design patterns. Pick whichever method your are comfortable with given your past programming experiences.

  • Technology P2P with JAVA (How can i do for implement this tech with JAVA B)

    Thanks for read this message,,, I will glad with you if you can help me...
    I would like desing, make, build, a point to point aplication with JAVA Builder, I have been reading about sockets but its not enought,,,,,,
    can you help me????
    Thanks

    Well , thanxs for take attention,,,
    I need some information about Point to Point tech because I would like to make an aplication with JAVA Builder...
    First step is to know how works the point to point...could you give me some links?
    Second step is to know how can I do for implement this tech?
    Third step is to know Is Java Builder the most indicate languaje for this aplication?
    Fourth step is - if Java Buider is the indicate tool, What have to know for make the aplication?
    Well,,I dont speak english very well but is the best that i can do?
    BYE

  • Is it possible with Java web start to ?

    I have a question regarding jre 1.3 and jre 1.4 coexisting on the same client PC (Windows NT).
    Our traders environment currently has jre 1.3 installed. I want to deploy apps that use 1.4.
    In a perfect world I would like to download JRE 1.4 and the jars for my app into memory (from a server) and run my app without installing anything on the clients. This would be of benefit because there should be no risk of disturbing apps already on the client PC which currently use jre 1.3.
    Is this possible to do using Java webstart ?
    Am I barking up on the wrong tree, is there a better way to allow jre 1.3 and jre 1.4 apps coexist on the same PC ?
    info/discussion appreciated,
    Tom

    It is possible in some way. JWS is still in its early stage. You find lots of road blocks on the way. Making JWS to choose different JRE based on the application is not a easy task.
    If you install the JWS1.0.1_02, their lastest formal release, and then install JRE1.4.0. Basically, your JWS has no idea to find the JRE1.4.
    Ideally, JWS works perfect in the situation you described.

  • I want to be able to download pictures from my camera and caption them.  Is this possible with any known app for iPad2?

    I want to be able to download pictures from my camera and caption them on my iPad2.  Is this possible?  Having trouble finding an app for that...

    I believe the iPhoto App can add captions to photos.

  • Is this possible: SAP Java Connector - XI - R3 with XI RFC Adapter?

    Hi,
    I try to call a RFC on a remote R/3 System over the XI Server in a Java Application with SAP Java Connector.
    I have configured a RFC Sender Adapter in XI. I get the
    following Exception:
    "lookup of alternativeServiceIdentifier via CPA-cache failed for channel 'SenderChannel_RFC"!
    Is this scenario possible? Or do the connection from
    a SAP Java Connector App to the XI RFC Adapter not work?
    You can't set the Client and System ID of a Third-Party or
    Standalone Java system in the SLD.
    Thanks for any help!
    Regards
    Wolfgang

    Hi,
    We use a JCO for directly connecting to sap systems.
    In that case we need not use any XI also.
    But if you want to use RFC adapter and java application the best way is to use java proxies as sender and reciever as RFC adapter.
    I donot think there is any  architectural significance in using rfc adapter of XI while using JCO.
    Let me know if I mis-understood the context.

  • Issue with Java WebDynpro iView Cannot find JSP file: WDC_ControlJRE.jsp

    Running NW 7.0 SP16...
    We have a WD Java app which runs fine on its own.
    But I created an iVIew using the SAP WD App iview template.
    The iview throws an error when attempting to run/preview.
    The default trace file says:
    [EXCEPTION]
    com.sapportals.portal.prt.component.PortalComponentException: Cannot find JSP file: WDC_ControlJRE.jsp
    at com.sapportals.portal.prt.core.broker.JSPComponentItem.getComponentInstance(JSPComponentItem.java:139)
    at com.sapportals.portal.prt.core.broker.PortalComponentItemFacade.service(PortalComponentItemFacade.java:355)
    at com.sapportals.portal.prt.core.broker.PortalComponentItem.service(PortalComponentItem.java:934)
    at com.sapportals.portal.prt.core.PortalRequestManager.dispatchRequest(PortalRequestManager.java:435)
    at com.sapportals.portal.prt.core.PortalRequestManager.dispatchRequest(PortalRequestManager.java:527)
    at com.sapportals.portal.prt.component.AbstractComponentResponse.include(AbstractComponentResponse.java:89)
    at com.sapportals.portal.prt.component.PortalComponentResponse.include(PortalComponentResponse.java:232)
    at com.sapportals.portal.appintegrator.Utils.includeJSP(Utils.java:220)
    at com.sapportals.portal.sapapplication.webdynpro.wdclient.JavaRenderLayer.render(JavaRenderLayer.java:34)
    at com.sapportals.portal.appintegrator.LayerProcessor.processContentPass(LayerProcessor.java:219)
    at com.sapportals.portal.appintegrator.AbstractIntegratorComponent.doContentPass(AbstractIntegratorComponent.java:117)
    at com.sapportals.portal.appintegrator.AbstractIntegratorComponent.doContent(AbstractIntegratorComponent.java:98)
    at com.sapportals.portal.prt.component.AbstractPortalComponent.doPreview(AbstractPortalComponent.java:240)
    at com.sapportals.portal.prt.component.AbstractPortalComponent.serviceDeprecated(AbstractPortalComponent.java:168)
    at com.sapportals.portal.prt.component.AbstractPortalComponent.service(AbstractPortalComponent.java:114)
    at com.sapportals.portal.prt.core.PortalRequestManager.callPortalComponent(PortalRequestManager.java:328)
    at com.sapportals.portal.prt.core.PortalRequestManager.dispatchRequest(PortalRequestManager.java:136)
    at com.sapportals.portal.prt.core.PortalRequestManager.dispatchRequest(PortalRequestManager.java:189)
    at com.sapportals.portal.prt.component.PortalComponentResponse.include(PortalComponentResponse.java:215)
    at com.sapportals.portal.prt.pom.PortalNode.service(PortalNode.java:645)
    at com.sapportals.portal.prt.core.PortalRequestManager.callPortalComponent(PortalRequestManager.java:328)
    at com.sapportals.portal.prt.core.PortalRequestManager.dispatchRequest(PortalRequestManager.java:136)
    at com.sapportals.portal.prt.core.PortalRequestManager.dispatchRequest(PortalRequestManager.java:189)
    at com.sapportals.portal.prt.core.PortalRequestManager.runRequestCycle(PortalRequestManager.java:753)
    at com.sapportals.portal.prt.connection.ServletConnection.handleRequest(ServletConnection.java:240)
    at com.sapportals.portal.prt.dispatcher.Dispatcher$doService.run(Dispatcher.java:524)
    at java.security.AccessController.doPrivileged(Native Method)
    at com.sapportals.portal.prt.dispatcher.Dispatcher.service(Dispatcher.java:407)
    at javax.servlet.http.HttpServlet.service(HttpServlet.java:853)
    at com.sap.engine.services.servlets_jsp.server.servlet.InvokerServlet.service(InvokerServlet.java:156)
    at javax.servlet.http.HttpServlet.service(HttpServlet.java:853)
    at com.sap.engine.services.servlets_jsp.server.HttpHandlerImpl.runServlet(HttpHandlerImpl.java:401)
    at com.sap.engine.services.servlets_jsp.server.HttpHandlerImpl.handleRequest(HttpHandlerImpl.java:266)
    at com.sap.engine.services.httpserver.server.RequestAnalizer.startServlet(RequestAnalizer.java:386)
    at com.sap.engine.services.httpserver.server.RequestAnalizer.startServlet(RequestAnalizer.java:364)
    at com.sap.engine.services.httpserver.server.RequestAnalizer.invokeWebContainer(RequestAnalizer.java:1039)
    at com.sap.engine.services.httpserver.server.RequestAnalizer.handle(RequestAnalizer.java:265)
    at com.sap.engine.services.httpserver.server.Client.handle(Client.java:95)
    at com.sap.engine.services.httpserver.server.Processor.request(Processor.java:175)
    at com.sap.engine.core.service630.context.cluster.session.ApplicationSessionMessageListener.process(ApplicationSessionMessageListener.java:33)
    at com.sap.engine.core.cluster.impl6.session.MessageRunner.run(MessageRunner.java:41)
    at com.sap.engine.core.thread.impl3.ActionObject.run(ActionObject.java:37)
    at java.security.AccessController.doPrivileged(Native Method)
    at com.sap.engine.core.thread.impl3.SingleThread.execute(SingleThread.java:102)
    at com.sap.engine.core.thread.impl3.SingleThread.run(SingleThread.java:172)
    Any ideas?
    Regards

    Killing due to no answers.

  • Controlling printmargins with java/jsp/html

    I was wondering if there is any way to set the standard margins in browser to 0.
    As for Firefox, the settings for top, bottom and both sides margins are sat to 12,7.
    Is there any way for my application to set this values (including all other browsers as well) to print what I am presenting in my viewing.
    I have a webpage that I want the user to get a "printer friendly" new page which controlles the margins for the print.
    As for now, the print has these "standard" values to have the page centered arround white space which I want to get rid of.
    The webpage itself is shown perfectly when I manually set the marings to 0, but for someone who doens't know how to set these would get the first page printed on the first side, and then the leftover at the start on page 2.
    Is there a way to do this with jsp/html/java? So that the printmargins are sat to 0 at eah "printer friendly" page?
    Please advice - got myself stuck here;) -,
    Cincerely P�l

    Then this might not be a suited javaquestion;) But do you know where to start searching for a solution. I've been googling all over the place for a hint on how to sort this out.
    P�l

Maybe you are looking for

  • How much costs sending a player to Creative from Ita

    I li've in Parma, Italy and I have a problem with my Zen Micro 5GB. I e-mailed Creative and posted a message in this forum but I still haven't seen a reply. So, I'd like to know how much costs sending a player to Creative from Italy (including tax, s

  • Create documents in SAP R/3 through XI

    Hi! I'm new to XI, and I have the following scenario: An external application needs to post documents in SAP R/3 by internet, sending the information needed to post the documents in XML format. It also needs to receive information if the documents we

  • Disappearing footnote numbers in InDesign CS4

    Hi all, This is my very first post here, and hope that this is the right place to expose my problem. Forgive me if this is not so. The thing is, some footnotes numbers (both in the text body and in the footnote) are nowhere to be seen in the pdf vers

  • Can I slow down the rate of movement at end of a Ken Burns?

    And can I bring up a still, then have the burns effect begin aftyer a second or so?

  • Java.lang error while Integrating R12 EBS with 10g AS

    hi I am integrating Oracle E-Business Suite Release 12 with 10g AS following metalink document 376811.1 While applying patch 5983637 (refer 'Pre-Install Task 4' in metalink doc) I got the error java.lang.ArrayIndexOutOfBoundsException:0 Before applyi