Output not visible !

Can you see why the BouncingBalls are not visible ?
Something is wrong with the bounce() method in the BallDemo class
I tried to pick it apart one line at a time. No compilation errors.
Here is the bounce() method and the BallDemo class in which it resides and the BoungingBall class that defines the balls.
Norman
//bounce method
public void bounce()
           int ground = 400;   // position of the ground line
           int numberOfBalls = 0;
           myCanvas.setVisible(true);
           ArrayList balls = new ArrayList();
           // draw the ground
           myCanvas.drawLine(50, ground, 550, ground);
           //ex 5.50 (a)
           System.out.println("Type in the number of balls you would like to see bouncing and hit enter");
             numberOfBalls = input.readInt();
             BouncingBall myBall;
          myBall =   new BouncingBall( 100,  0,  24,  Color.blue,
                            ground,  myCanvas);
            //(b)
            for(int i = 0; i < numberOfBalls; i++)
              //(c) (d)
           Random rg = new Random(255);
            BouncingBall newBall =  new BouncingBall(i + 100, 0, 16, new Color(rg.nextInt(255),rg.nextInt(255),rg.nextInt(255)), ground, myCanvas);
            //add the ball to the ArrayList object
           balls.add(newBall);
          for(int i = 0; i < numberOfBalls; i++)
                 BouncingBall ball = (BouncingBall)balls.get(i);
                 ball.draw();
             // make the balls bounce
             boolean finished =  false;
             while(!finished) {
              myCanvas.wait(50);           // small delay
              ball.move();
               // stop once ball has travelled a certain distance on x axis
               if(ball.getXPosition() >= 550 )
                   finished = true;
           }//move loop
                 ball.erase();
         }//for loop
       }//bounce method
import java.awt.*;
//(d)
import java.awt.Color;
import java.util.Random;
import java.awt.geom.*;
//ex5.50 (a)
import java.util.*;
import java.io.*;
* Class BallDemo - provides two short demonstrations showing how to use the
* Canvas class.
//(a) Change the bounce() method in the BallDemo class to let the user
//choose how many balls should be bouncing
//(b) Use a collection to store the balls
//(c) Place the balls in a row along the top of the canvas.
public class BallDemo
    private Canvas myCanvas;
    FormattedInput input;
     * Create a BallDemo object. Creates a fresh canvas and makes it visible.
    public BallDemo()
        myCanvas = new Canvas("Ball Demo", 600, 500);
        input = new FormattedInput();
        myCanvas.setVisible(true);
     * This method demonstrates some of the drawing operations that are
     * available on a Canvas object.
    public void drawDemo()
        myCanvas.setFont(new Font("helvetica", Font.BOLD, 14));
        myCanvas.setForegroundColor(Color.red);
        myCanvas.setBackgroundColor(Color.yellow);
        myCanvas.drawString("We can draw text, ...", 20, 50);
        myCanvas.wait(1000);
        myCanvas.setForegroundColor(Color.black);
        myCanvas.drawString("...draw lines...", 60, 70);
        myCanvas.wait(500);
        myCanvas.setForegroundColor(Color.blue);
        myCanvas.drawLine(200, 20, 300, 450);
        myCanvas.wait(500);
        myCanvas.setForegroundColor(Color.blue);
        myCanvas.drawLine(220, 100, 570, 260);
        myCanvas.wait(500);
        myCanvas.setForegroundColor(Color.green);
        myCanvas.drawLine(290, 10, 620, 220);
        myCanvas.wait(1000);
        myCanvas.setForegroundColor(Color.white);
        myCanvas.drawString("...and shapes!", 110, 90);
    //    myCanvas.setForegroundColor(Color.red);
                // the shape to draw and move
        int xPos = 10;
        Rectangle rect = new Rectangle(xPos, 150, 30, 20);
        // move the rectangle across the screen
        for(int i = 0; i < 600; i ++) {
            myCanvas.fill(rect);
            myCanvas.wait(10);
            myCanvas.erase(rect);
            xPos++;
            rect.setLocation(xPos, 150);
        // at the end of the move, draw once more so that it remains visible
        myCanvas.fill(rect);
       //ex 5.48
       public void drawFrame()
         Dimension myDimension =new Dimension( myCanvas.getSize());
         //Rectangle rectangle = new Rectangle(10,10,myDimension.width,  myDimension.height);
         //page 136
        Rectangle rectangle = new Rectangle(10,10,580,480);
         myCanvas.fill(rectangle);
         public void bounce()
           int ground = 400;   // position of the ground line
           int numberOfBalls = 0;
           myCanvas.setVisible(true);
           ArrayList balls = new ArrayList();
           // draw the ground
           myCanvas.drawLine(50, ground, 550, ground);
           //ex 5.50 (a)
           System.out.println("Type in the number of balls you would like to see bouncing and hit enter");
             numberOfBalls = input.readInt();
             BouncingBall myBall;
          myBall =   new BouncingBall( 100,  0,  24,  Color.blue,
                            ground,  myCanvas);
            //(b)
            for(int i = 0; i < numberOfBalls; i++)
              //(c) (d)
           Random rg = new Random(255);
            BouncingBall newBall =  new BouncingBall(i + 100, 0, 16, new Color(rg.nextInt(255),rg.nextInt(255),rg.nextInt(255)), ground, myCanvas);
            //add the ball to the ArrayList object
           balls.add(newBall);
          for(int i = 0; i < numberOfBalls; i++)
                 BouncingBall ball = (BouncingBall)balls.get(i);
                 ball.draw();
             // make the balls bounce
             boolean finished =  false;
             while(!finished) {
              myCanvas.wait(50);           // small delay
              ball.move();
               // stop once ball has travelled a certain distance on x axis
               if(ball.getXPosition() >= 550 )
                   finished = true;
           }//move loop
                 ball.erase();
         }//for loop
       }//bounce method
     }//endof class
import java.awt.*;
import java.awt.geom.*;
* Class BouncingBall - a graphical ball that observes the effect of gravity. The ball
* has the ability to move. Details of movement are determined by the ball itself. It
* will fall downwards, accelerating with time due to the effect of gravity, and bounce
* upward again when hitting the ground.
* This movement can be initiated by repeated calls to the "move" method.
* @version 1.1  (23-Jan-2002)
public class BouncingBall
    private static final int gravity = 3;  // effect of gravity
    private int ballDegradation = 2;
    private Ellipse2D.Double circle;
    private Color color;
    private int diameter;
    private int xPosition;
    private int yPosition;
    private final int groundPosition;      // y position of ground
    private Canvas canvas;
    private int ySpeed = 1;                // initial downward speed
     * Constructor for objects of class BouncingBall
     * @param xPos  the horizontal coordinate of the ball
     * @param yPos  the vertical coordinate of the ball
     * @param ballDiameter  the diameter (in pixels) of the ball
     * @param ballColor  the color of the ball
     * @param groundPos  the position of the ground (where the wall will bounce)
     * @param drawingCanvas  the canvas to draw this ball on
    public BouncingBall(int xPos, int yPos, int ballDiameter, Color ballColor,
                        int groundPos, Canvas drawingCanvas)
        xPosition = xPos;
        yPosition = yPos;
        color = ballColor;
        diameter = ballDiameter;
        groundPosition = groundPos;
        canvas = drawingCanvas;
     * Draw this ball at its current position onto the canvas.
    public void draw()
        canvas.setForegroundColor(color);
        canvas.fillCircle(xPosition, yPosition, diameter);
     * Erase this ball at its current position.
    public void erase()
        canvas.eraseCircle(xPosition, yPosition, diameter);
     * Move this ball according to its position and speed and redraw.
    public void move()
        // remove from canvas at the current position
        erase();
        // compute new position
        ySpeed += gravity;
        yPosition += ySpeed;
        xPosition +=2;
        // check if it has hit the ground
        if(yPosition >= (groundPosition - diameter) && ySpeed > 0) {
            yPosition = (int)(groundPosition - diameter);
            ySpeed = -ySpeed + ballDegradation;
        // draw again at new position
        draw();
     * return the horizontal position of this ball
    public int getXPosition()
        return xPosition;
     * return the vertical position of this ball
    public int getYPosition()
        return yPosition;
}

I don't even have to study your code - all I have to do is search the HTML on this screen and see there is no reference to run() or threads. You won't make squat move unless you use threads.

Similar Messages

  • Active UserConcurrent Program output not visible when submitted via CONCSUB

    Hi All,
    I am not able to see the concurrent program "Active Users" output from EBS front end, when i submit the Active users request using CONCSUB utility.
    After submitting Active user program from CONCSUB, when i go to front end and and try to view output, "View Output" button is disable.
    Any idea why is "View Output button" disable.
    When i submit the same request from front end, it shows me output.
    Thanks,
    Prasad

    Prasad,
    What is the CONCSUB syntax you use?
    What is the value of "Concurrent:Report Access Level" profile option?
    Note: 200272.1 - How can a user see the output and logs of other users?
    https://metalink2.oracle.com/metalink/plsql/ml2_documents.showDocument?p_database_id=NOT&p_id=200272.1
    Note: 413382.1 - How To View The Output Of A Request Launched By Someone Else
    https://metalink2.oracle.com/metalink/plsql/ml2_documents.showDocument?p_database_id=NOT&p_id=413382.1
    Regards,
    Hussein

  • BEx Query Output Not Visible on the Dashboard.

    Hi All,
    I have a Dashboard which include 2 BEx Queries in it. When my end-user displays the Dashboard, he is able to see the result of one BEx Query and there is no result on from the second BEx Query. Both the queries are from same InfoCube and relevant authorizations have been provided to end-user.
    Now, when I run the Dashboard, I am able to see both the Queries output on the Dashboard. I am sure, its must be some authorization issue, but I have provided all authorizations needed which were suggested by SAP to my end-user and the fact that they can see the result from one query and not from other confuses  the things.
    Would appreciate some inputs...
    Thanks,
    Mahesh

    Now I did the further investigation using ST01 and guess what are checks were green..the authorization objects checked were below...
    S_RFC
    S_RS_COMP
    S_RS_COMP1
    S_RS_ICUBE
    S_RS_RSTT
    S_RS_XCLS
    I would really appreciate some suggestions, should I open a SAP message or am I missing something...
    Thanks in advance...
    Mahesh

  • Email Address not visible for output device MAIL in created batch job

    Issue in ECC6.0: Email Address not visible to display/change for output device MAIL in print parameter of each step in the created batch job.
    User wants to periodically receive report file via send to his email, so I create the batch job running report and send the report in pdf file to his email.
    Detail in the batch job
    1) In print parameter screen of the step in the batch job
       -Using output device MAIL (output type ZPDF1)
       -inputting email address of receiver in the EMAIL ADDRESS field
    2) After the batch job was saved, I tried to display/change the field EMAIL ADDRESS via Tx. SM37, but this field is invisible. The field can not be displayed or changed anymore. I also tried in SM36, but it is for creating new batch job, not changing the existing batch job.
    4) User receives email with pdf file from the batch job.
    How to change/display the email address of the receiver in the created batch job?
    Note that we just changed to use SAP ECC6 from SAP 4.6c. In SAP 4.6c, we can change/display the
    Email Address Field via Tx. SM37.
    Pls kindly suggest, thank you very much in advance.

    Hi Srirompoti,
    After saving the job if the job has not started then you can follow the below steps to change the Email address.
    1. View the job from Txn SM37.
    2. check the check box for your job that you want to change and goto menu path "Job->change
    3. in the next screen goto "Edit->steps." or press "F6" key
    4. place the coursor on the job and goto menu path "Step->change->print specifications.
    5. here you can change the email address.
    If you are not able change the data then you might not have authorization.

  • Captivate 6 - Trying to make all click boxes not visible in output

    Adobe Captivate 6 - how do you make all the click boxes not visible in output.  Help says to uncheck the Visible in Output box, easy enough, then it say to click the Apply to all icon and there is no such icon.  Do I have to go through every single slide and manually do each one?

    Hello and welcome to the forum,
    I think you want to 'hide' the click box, so that it is not active, in the Properties panel? A click box itself is never visible to the user on the stage, but can be active or not.
    I always copy/paste an invisible object, it will keep its properties. Since a click box has no style, you cannot apply a style to all click boxes.
    Lilybiri

  • Data not visible in query output

    Hi Gurus
    I have a report which is being published at the portal but the data is not visible for it...now when i check the query for that report and try to run it. i still don't see any data..now on further analysis when i use the same filters used in the query on the multiprovider on which the query is created i can see the data and when i run the report in RSRT, i can  see the data...but don't know why its not visible when i execute the query or the report on the the portal....plz suggest..points will be awarded..

    Hi Akash
    Check the query with Bex Analyzer; If it give you the correct result then It might be configuration problem with your JAVA settings..
    Please try And also run Support Desk Tool
    (SAP Note 937697 ) to figure out the configuration Issues....
    Regards
    Vivek Tripathi

  • Hierarchy in properties of characteristics item is not visible in report

    Hi,
    It has been observed that the Hierarchy name in u201Cproperties of characteristics" of an infoobject for example 0GL_ACCOUNT is not visible in BEx output report. The report shows complete hierarchy with all nodes / subnodes but NOT HEADER description!
    Also whenever you change the hierarchy (by changing global / local view), Same problem exist.
    This is one of the high priority problem users are facing since they canu2019t see hierarchy name (Key / Text) causing confusion.
    Please advice.
    Thanks and best regards
    Rajendra

    Make a duplicate header above all the levels and show text in the BEx output
    Level 1 -> Hierarchy name -> Level 2 ( Initially Level 1) -> Level 3 ( Initially Level 2)

  • Entire Table not visible/ transferred to a file on application server

    HI Experts,
    My req is to pass an entire internal table to a file on the application server.
    How ever some of the fields in the table are not shown / transferred when i check that file.
    The fields are not visible when i try to scroll side wise.
    When I download the internal table to an excel all the fileds are present . There is no problem with the internal table that is being transferred.
    Below is the code snippet.
    CLEAR w_filepath.
        MOVE p_file TO w_file_ext.
        CALL FUNCTION 'FILE_GET_NAME_USING_PATH'
          EXPORTING
            logical_path               = c_zstore
            file_name                  = w_file_ext
          IMPORTING
            file_name_with_path        = w_filepath
          EXCEPTIONS
            path_not_found             = 1
            missing_parameter          = 2
            operating_system_not_found = 3
            file_system_not_found      = 4
            OTHERS                     = 5.
        IF sy-subrc NE 0.
          MESSAGE e068(zz_material).
    *   File could not be downloaded to the application server
        ELSE.
          OPEN DATASET w_filepath FOR OUTPUT IN TEXT MODE ENCODING DEFAULT.
          IF sy-subrc NE 0.
            MESSAGE e069(zz_material).
    *   Unable to Open File
          ENDIF.
          CLEAR:rec_final.
          LOOP AT t_final INTO rec_final.
            TRANSFER rec_final TO w_filepath.
            CLEAR rec_final.
          ENDLOOP.
          CLOSE DATASET w_filepath.
    Are there any limitations on the no char that can be displayed in one line on the application server.
    Is there any seeting to change that...?

    Hello Abhishek,
    You are not getting the point. AL11 (prog. RSWATCH0) is a simple report used to display the file contents.
    There is a limitation to the maximum length of the file line AL11 can DISPLAY (i.e., 512 characters after applying the notes).
    Please understand what you are seeing in AL11 is the 1st 512 characters of the file width & not the entire file width.
    Hope you get the point.
    BR,
    Suhas

  • After EM agent installation, only database is not visible in EM Grid Contro

    Dear All,
    I am using Oracle 10g2 database. I have a problem with EM agent configuration. After installation the database (SID=BITEX) is not visible in the EM Grid Control, which is installed on the other host. Listener, ASM and host are visible and show actual state, only database instance is missing . Below, I attached some output from the listener, agent and targets.xml
    Thanks fro any advice
    Groxy
    Output from "lnsnctrl status":
    oracle@bitex2:~/product/10.2/db_1/bin> lsnrctl status
    LSNRCTL for Linux: Version 10.2.0.2.0 - Production on 05-DEC-2007 14:33:35
    Copyright (c) 1991, 2005, Oracle. All rights reserved.
    Connecting to (DESCRIPTION=(ADDRESS=(PROTOCOL=TCP)(HOST=bitex2.bitex.com.pl)(PORT=1521)))
    STATUS of the LISTENER
    Alias LISTENER
    Version TNSLSNR for Linux: Version 10.2.0.2.0 - Production
    Start Date 05-DEC-2007 14:17:14
    Uptime 0 days 0 hr. 16 min. 21 sec
    Trace Level off
    Security ON: Local OS Authentication
    SNMP OFF
    Listener Parameter File /opt/oracle/product/10.2/db_1/network/admin/listener.ora
    Listener Log File /opt/oracle/product/10.2/db_1/network/log/listener.log
    Listening Endpoints Summary...
    (DESCRIPTION=(ADDRESS=(PROTOCOL=tcp)(HOST=bitex2.bitex.com.pl)(PORT=1521)))
    (DESCRIPTION=(ADDRESS=(PROTOCOL=ipc)(KEY=EXTPROC2)))
    Services Summary...
    Service "+ASM" has 1 instance(s).
    Instance "+ASM", status BLOCKED, has 1 handler(s) for this service...
    Service "+ASM_XPT" has 1 instance(s).
    Instance "+ASM", status BLOCKED, has 1 handler(s) for this service...
    Service "PLSExtProc" has 1 instance(s).
    Instance "PLSExtProc", status UNKNOWN, has 1 handler(s) for this service...
    Service "BITEX.WORLD" has 1 instance(s).
    Instance " BITEX ", status READY, has 1 handler(s) for this service...
    Service " BITEXXDB.WORLD" has 1 instance(s).
    Instance "SA BITEX NEX", status READY, has 1 handler(s) for this service...
    Service " BITEX _XPT.WORLD" has 1 instance(s).
    Instance " BITEX ", status READY, has 1 handler(s) for this service...
    The command completed successfully
    oracle@ bitex2:~/OracleHomes/agent10g/bin> ./emctl status agent
    ./emctl status agent
    Oracle Enterprise Manager 10g Release 10.2.0.2.0.
    Copyright (c) 1996, 2006 Oracle Corporation. All rights reserved.
    Agent Version : 10.2.0.2.0
    OMS Version : 10.2.0.2.0
    Protocol Version : 10.2.0.2.0
    Agent Home : /opt/oracle/OracleHomes/agent10g
    Agent binaries : /opt/oracle/OracleHomes/agent10g
    Agent Process ID : 22193
    Parent Process ID : 22177
    Agent URL : https://bitex2.bitex.com:3872/emd/main/
    Repository URL : https://grid. bitex.local:1159/em/upload
    Started at : 2007-12-05 14:25:46
    Started by user : oracle
    Last Reload : 2007-12-05 14:25:46
    Last successful upload : 2007-12-05 14:33:32
    Total Megabytes of XML files uploaded so far : 1.84
    Number of XML files pending upload : 0
    Size of XML files pending upload(MB) : 0.00
    Available disk space on upload filesystem : 50.69%
    Last successful heartbeat to OMS : 2007-12-05 14:33:51
    Agent is Running and Ready
    /opt/oracle/OracleHomes/agent10g/sysman/emd/targets.xml
    <Targets AGENT_TOKEN="05b0697c77651ee3933abf6fa56180dd62c4be3b">
    <Target TYPE="oracle_emd" NAME="bitex2.bitex.com.pl:3872"/>
    <Target TYPE="host" NAME="bitex2.bitex.com.pl"/>
    <Target TYPE="oracle_database" NAME="BITEX.WORLD">
    <Property NAME="MachineName" VALUE="bitex2.bitex.com.pl"/>
    <Property NAME="Port" VALUE="1521"/>
    <Property NAME="SID" VALUE="BITEX"/>
    <Property NAME="OracleHome" VALUE="/opt/oracle/product/10.2/db_1"/>
    <Property NAME="UserName" VALUE="f614471b2cb8c5b7" ENCRYPTED="TRUE"/>
    <Property NAME="password" VALUE="0d16396a5b89b576b58f90a69cbd2c55" ENCRYPTED="TRUE"/>
    <Property NAME="ServiceName" VALUE="BITEX.WORLD"/>
    </Target>
    <Target TYPE="oracle_listener" NAME="LISTENER_bitex2.bitex.com.pl">
    <Property NAME="Machine" VALUE="bitex2.bitex.com.pl"/>
    <Property NAME="LsnrName" VALUE="LISTENER"/>
    <Property NAME="Port" VALUE="1521"/>
    <Property NAME="OracleHome" VALUE="/opt/oracle/product/10.2/db_1"/>
    <Property NAME="ListenerOraDir" VALUE="/opt/oracle/product/10.2/db_1/network/admin"/>
    </Target>
    <Target TYPE="osm_instance" NAME="+ASM_bitex2.bitex.com.pl">
    <Property NAME="SID" VALUE="+ASM"/>
    <Property NAME="MachineName" VALUE="bitex2.bitex.com.pl"/>
    <Property NAME="OracleHome" VALUE="/opt/oracle/product/10.2/db_1"/>
    <Property NAME="UserName" VALUE="SYS"/>
    <Property NAME="password" VALUE="0d16396a5b89b576b58f90a69cbd2c55" ENCRYPTED="TRUE"/>
    <Property NAME="Role" VALUE="SYSDBA"/>
    <Property NAME="Port" VALUE="1521"/>
    </Target>
    </Targets>

    I don't see where your listener hostname matches hostname for your agent, thus agent discovery might have issue putting two and two together. Thus, the need to add it manually, or adjust it in targets.xml file first.
    reference
    Connecting to (DESCRIPTION=(ADDRESS=(PROTOCOL=TCP)(HOST=bitex2.bitex.com.pl)(PORT=1521)))
    Agent URL : https://bitex2.bitex.com:3872/emd/main/

  • Field not visible when uploading the file in application ser

    Hi,
    I have added a new field at the end of a structure and When i upload the data in the application server it is not visible there. The new field length is 30chars(say field 'A')  and the one just before this one is 250 chars(say field 'B'). When i reduce the length of field 'B' to 30 chars or 40 chars the value which i populated in field 'A' is visble in the output file.
    Since the complete file was not visible in AL11 transaction, i used the CG3Y tcode as well to download the data to presentation server so that i can view the complete file. Even after downlaoding in presentation server the new field value is not visible.
    Can anyone please suggest why is the value in field 'A' not visible when the length of field 'B' is 250 chars? Also, how can i display the value of the new field in the application server.I cannot change the layout of the structure as per the requirement. Any help will be very useful.
    Thanks in advance,
    Sneha.

    Hi Sneha.. Happy new year
    <you subject is missing ver from the server, thats why your server doesnt like you :P>
    -ok, lets go step by step. how did you upload the file?
    -after uploading the file check the file in OS level(goto SM69, execute CAT, in additional parameter (not in parameter) give the full path (case sensitive), execute. ). here you can see the actual content of the file... check you data is present or not
    -which structure are you using to download and upload? a temp work area.. then please provide the WA details, so that i can try on my system.
    lets see what happens next
    one more thing: regarding AL11, it can read upto length 510 characters. check program RSWATCH0 form SHOW_FILE. here the read dataset into butffer is 510 characters.

  • Park button not visible in F-63 screen

    Hi,
    I created a role that will alllow a user to park the document using F-63. In DEV it's working fine however when I transported it to PRD. The Park Document button (SAVE) is not visible or deactivated in F-63 screen in PRD.
    Any help is much appreciated? Thanks.
    Regards,
    Threadstone

    Hi Threadstone,
    The GUI-Status ZBVV has got the save-Button PBBP, but the display of it can be excluded.
    You can see what happens, when you set a break-point in function Group F040 (Transaction SE80, Function group, F040, PBO-Module, Status_setzen_zbv, click left of line-number of the line “if yfuncl eq ’P’.”):
    module status_setzen_zbv output.
      tables: with_item.
    *------- Standard-Status -----------------------------------------------
      if yfuncl eq 'P'.
        status = 'ZBB'.
      elseif yfuncl eq char_r.
        status = 'ZBF'.
      else.
        status = 'ZBV'.
        if rfopt2-xcmpl eq char_x.
          status+3(1) = char_v.
        endif.
      endif.
    *------- STATUS setzen -------------------------------------------------
      perform status_setzen.
    endmodule.   
    Another Break-point might be set in subroutine “extab_fuellen” where functions are appended which shall not be used.
    form exctab_fuellen.
      refresh exctab.
      if bseg-koart ne char_k and
         bseg-koart ne char_d                                   "/N394306
      or ( bseg-koart = char_k and lfa1-xzemp is initial )      "/N394306
      or ( bseg-koart = char_d and kna1-xzemp is initial ).     "/N394306
        exctab-okcod = 'ZEMP'.
        append exctab.
      endif.
      if yfuncl eq char_d or
         yfuncl eq char_r.
        exctab-okcod = 'BP'.
        append exctab.
        exctab-okcod = 'PBBP'.
        append exctab.
    Yfuncl has got value D (display) or R (release). It can be, that the user has not got the authority for saving. Please check SU53 or via ST01.
    Regards Wolfrad

  • Ole object not visible on oracle report

    Hi,
    I have an oracle report built in oracle report 6i builder I have used a Boilerplate OLE Object(image.bmp) in the report but when I am executing the report on Oracle E Business(Application) then that OLE object is not visible on the report output(output is in the pdf format).
    Please help me out with this
    Thanks in advance

    If you want to display an image on your report, use Link File as item type in the Layout Editor.
    Note that the image has to be accessable from the Reports Server.

  • SQL Developer export files not visible

    Hi All,
    I've started using SQL Developer recently and I am completely new to this tool.
    I've noticed a weird problem. All the export files and the folders I create from SQL Developer is not visible from the normal windows. Say I've executed a query and I need to export the output to a file. I right-click on the data grid; select Export Data -> xls/csv (anything) . I get a pop to mention the Location of the file. I click on Browse ; then select the location and then click on apply. I expect the file to be created. But when I go to that folder; I do not find any files.
    To add on to my suprise; If i click on open a file and navigate to the above mentioned path; the pop-up shows that the file is present in that folder. But it is not visible from Windows. This is of no use as I cannot use those files.
    BTW; version is 2.1.1.64
    Note: I've also enabled the option of viewing all hidden files and folders in Windows.
    Regards,
    Arun

    Hi Arun,
    If you are using Windows Vista, Windows 7, or higher, and writing to a directory (like C:\, C:\Windows\, C:\Program Files\) that Microsoft wishes to protect from malware or just simple clutter , then you are running afoul of a redirect feature in the OS that puts the unwanted file in a VirtualStore folder for your user name, specifically:
    C:\Users\<yourusername>\AppData\Local\VirtualStore\<full path where you think the file got stored>See the following for details:
    http://answers.microsoft.com/en-us/windows/forum/windows_7-files/folder-redirect-in-windows-7/95218744-37e6-40cd-b890-2e647351df16
    I just ran across this myself for the case of C:\ and perhaps this applies to your situation also.
    Regards,
    Gary

  • Object found by SUIM, not visible in PFCG (same in AGR_1251 and UST10S)

    Dear All,
    In SUIM I get some roles listed when I search for a specific authorization object (S_USER_AGR in this case). Wehn I look at the role via PFCG however, the object is not visible.
    When I look at the role/profile via tables:
    - AGR_1251for the role : object S_USER_AGR not present
    - UST10S for profile: S_USER_AGR is present
    It seems that the output from UST10S is the one giving the actual authorization (as the testuser seems to have access to S_USR_AGR).
    What can I do to have the PFCG listing the real/actual authorizations?
    Thanks in advance
    Kristof

    Hi Kristof,
    Don't let the wonder go away:-)) Check why that role was inconsistent at the first place. 
    1 - Check the role if its out of sync in Dev- Production as well. (Assuming you have already corrected this in Test sysh tem by creating new profiles).
    2 - Check out the recent transports for that role. Check out the status of those transports(RC=0/RC=4/8/12). If not RC=0  then whats the error message.
    3 - Check out if there was a system refresh recently carried out in your test environment. If yes then from which system this refresh is carried out. check out the role status in  that system as well.
    Run PFUD for User Master Data Reconciliation.Hope this will resolve the issues for all the roles in your system.

  • IDOC not visible to import to XI, but on R/3 created and released

    Hi guys!
    I have problem with import IDOC into my repository objects. It is not visible to import, but on the r/3 side it is created and released.. Other IDOCs are visible, but not the one I need.. The IDOC I need is custom, created few moments ago..
    What could be wrong?
    Thanx for answer!
    Olian

    Olian,
    you need to release our IDOC to be visiable for XI.
    goto we60 see if you can find the our ZIDOC if you dont then goto WE30 then type our IDOC then goto Edit tab on top and select set release.
    if you have done this then do this
    T/C Code: WE82
    pass the IDOC type , message type and sap version then save.
    now our output types andIDOC assigments to IDOC types are done
    Regards
    Sreeram.G.Reddy
    Message was edited by:
            Sreeram Reddy

Maybe you are looking for