Xcelsius 2008 Object Browser not Visible but checked on View menu

I have lost the Object Browser window.  It is checked on the View menu.  Even when I first start up Xcelsius it is not visible.  Does anyone have any idea how to make it visible again?
Thanks,
Karen

Hi Karen,
Can you goto view and uncheck the option for Object browser and then re-check it again?
Also let me know if this behaviour is happening from the time you have installed the product?
Thanks,
Amit.

Similar Messages

  • "change" button is not visible in check status ?

    HI,
    We are under upgrade of SRM 4.0 to SRM 5.0 . In SRM 4.0 "change" button
    is visible in check status even if shopping cart is under approval
    state.
    But in SRM 5.0 "change" button is not visible in check status if
    Shopping cart is under approval state.
    for this i have raised OSS message. SAP replied that "please increase the security level of the buyer from 1 (= no changes
    allowed) to at least 2 (=low)."
    please let me know where exactly i can change this settings?
    Thanks
    Venkatesh P

    Hi Venkatesh,
    Steps :
    1) Go to SU01 of the buyer
    2) Go to Personalization tab
    3) Double click on Personalization object key 'BBP_WFL_SECURITY'
    You will get a pop up for 'Authorization level for Authorization'
    4) Here change the securtiy level from 1(=no changes allowed) to at least 2(=low)
    <b>Reward points for helpful answers</b>.
    Regards,
    Andy

  • The method clone() from the type Object is not visible

    Hi,
    This is my 1st post here for a few years, i have just returned to java.
    I am working through a java gaming book, and the "The method clone() from the type Object is not visible" appears, preventing the program from running. I understand "clone" as making a new copy of an object, allowing multiple different copies to be made.
    The error occurs here
    public Object clone() {
            // use reflection to create the correct subclass
            Constructor constructor = getClass().getConstructors()[0];
            try {
                return constructor.newInstance(new Object[] {
                    (Animation)left.clone(),
                    (Animation)right.clone(),
                    (Animation)deadLeft.clone(),
                    (Animation)deadRight.clone()
            catch (Exception ex) {
                // should never happen
                ex.printStackTrace();
                return null;
        }The whole code for this class is here
    package tilegame.sprites;
    import java.lang.reflect.Constructor;
    import graphics.*;
        A Creature is a Sprite that is affected by gravity and can
        die. It has four Animations: moving left, moving right,
        dying on the left, and dying on the right.
    public abstract class Creature extends Sprite {
            Amount of time to go from STATE_DYING to STATE_DEAD.
        private static final int DIE_TIME = 1000;
        public static final int STATE_NORMAL = 0;
        public static final int STATE_DYING = 1;
        public static final int STATE_DEAD = 2;
        private Animation left;
        private Animation right;
        private Animation deadLeft;
        private Animation deadRight;
        private int state;
        private long stateTime;
            Creates a new Creature with the specified Animations.
        public Creature(Animation left, Animation right,
            Animation deadLeft, Animation deadRight)
            super(right);
            this.left = left;
            this.right = right;
            this.deadLeft = deadLeft;
            this.deadRight = deadRight;
            state = STATE_NORMAL;
        public Object clone() {
            // use reflection to create the correct subclass
            Constructor constructor = getClass().getConstructors()[0];
            try {
                return constructor.newInstance(new Object[] {
                    (Animation)left.clone(),
                    (Animation)right.clone(),
                    (Animation)deadLeft.clone(),
                    (Animation)deadRight.clone()
            catch (Exception ex) {
                // should never happen
                ex.printStackTrace();
                return null;
            Gets the maximum speed of this Creature.
        public float getMaxSpeed() {
            return 0;
            Wakes up the creature when the Creature first appears
            on screen. Normally, the creature starts moving left.
        public void wakeUp() {
            if (getState() == STATE_NORMAL && getVelocityX() == 0) {
                setVelocityX(-getMaxSpeed());
            Gets the state of this Creature. The state is either
            STATE_NORMAL, STATE_DYING, or STATE_DEAD.
        public int getState() {
            return state;
            Sets the state of this Creature to STATE_NORMAL,
            STATE_DYING, or STATE_DEAD.
        public void setState(int state) {
            if (this.state != state) {
                this.state = state;
                stateTime = 0;
                if (state == STATE_DYING) {
                    setVelocityX(0);
                    setVelocityY(0);
            Checks if this creature is alive.
        public boolean isAlive() {
            return (state == STATE_NORMAL);
            Checks if this creature is flying.
        public boolean isFlying() {
            return false;
            Called before update() if the creature collided with a
            tile horizontally.
        public void collideHorizontal() {
            setVelocityX(-getVelocityX());
            Called before update() if the creature collided with a
            tile vertically.
        public void collideVertical() {
            setVelocityY(0);
            Updates the animaton for this creature.
        public void update(long elapsedTime) {
            // select the correct Animation
            Animation newAnim = anim;
            if (getVelocityX() < 0) {
                newAnim = left;
            else if (getVelocityX() > 0) {
                newAnim = right;
            if (state == STATE_DYING && newAnim == left) {
                newAnim = deadLeft;
            else if (state == STATE_DYING && newAnim == right) {
                newAnim = deadRight;
            // update the Animation
            if (anim != newAnim) {
                anim = newAnim;
                anim.start();
            else {
                anim.update(elapsedTime);
            // update to "dead" state
            stateTime += elapsedTime;
            if (state == STATE_DYING && stateTime >= DIE_TIME) {
                setState(STATE_DEAD);
    }Any advice? Is it "protected"? Is the code out-of-date?
    thankyou,
    Lance 28

    Lance28 wrote:
    Any advice? Is it "protected"? Is the code out-of-date?Welcome to the wonderful world of Cloneable. In answer to your first question: Object's clone() method is protected.
    A quote from Josh Bloch's "Effective Java" (Item 10):
    "A class that implements Cloneable is expected to provide a properly functioning public clone() method. It is not, in general, possible to do so unless +all+ of the class's superclasses provide a well-behaved clone implementation, whether public or protected."
    One way to check that would be to see if super.clone() works. Their method uses reflection to try and construct a valid Creature, but it relies on Animation's clone() method, which itself may be faulty. Bloch suggests the following pattern:public Object clone() throws CloneNotSupportedException {
       ThisClass copy = (ThisClass) super.clone();
       // do any additional initialization required...
       return copy
    if that doesn't work, you +may+ be out of luck.
    Another thing to note is that Object's clone() method returns a +shallow+ copy of the original object. If it contains any data structures (eg, Collections or arrays) that point to other objects, you may find that your cloned object is now sharing those with the original.
    Good luck.                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                           

  • " change" button not visible in check status ?

    HI,
    We are under upgrade of SRM 4.0 to SRM 5.0 . In SRM 4.0 "change" button
    is visible in check status even if shopping cart is under approval
    state.
    But in SRM 5.0 "change" button is not visible in check status if
    Shopping cart is under approval state.
    Please let me know if any one face this issue.

    Hi,
    Goto SU01 and fill in the user ID for which the button is greyed.
    Navigate to role tab
    Double click on the role so that the system opens transaction PFCG
    Select the "personnalization" tab where you will find the WFL security... (don't remember exactly the name as i do not have any system right now)
    This WF security has 4 level.
    By default it is set to none
    Select level 4 for maximum authorization.
    Save, log-off from ITS access et relogon.
    Then the button won't be greyed anymore
    Kind regards,
    Yann

  • Header Data badi button not visible in webdynpro portal view

    Hi,
    We have implemented  "HRHAP00_ADD_HEADER  " for fetching additonal data for appraisee in objective setting appraisal.
    Badi is fetching data and show button " Additoanl data " in  R/3 view , but the button is not visible in ESS, MSS view.
    We are  using Webdynpro platform.
    Has anybody face similar kind of problem in webdynpro?  how to address this.
    regards
    Pallavi

    Hi Ana,
    Standard button is available info  but it is not showing cutom fileds.
    Technical resources has made zimplementation of standard badi header data, but when we try to attach it to templte id doesnt show button.
    regards
    Pallavi

  • BPM worklist app views are not visible in IPM task viewer

    Hi,
    we upgraded our system from 11.1.1.3.0 to
    weblogic 10.3.5.0
    SOA 11.1.1.5.0 with BPEL processes
    ECM with IPM and UCM 11.1.1.5.0
    after upgrade i have problem with profiles in IPM task viewer page. Views are created in BPM worklistapp and all users can see tasks assigned to them there. But those views are not visible in IPM task viewer page (i tried it using driver page). Because of missing profiles/views users can't see and process tasks assigned to them. In log files isn't raised any error message.
    Everything was working before upgrade. Can someone help me with this? What can i have wrong there?
    Thanks a lot in advance for any help
    Edited by: 914063 on Jun 20, 2012 12:56 PM
    Edited by: 914063 on Jun 20, 2012 12:57 PM

    Hi Renuka,
    There are basically two ways to create an ADF UI for a BPM Task:
    1. Generate it from the task
    2. Create a ADF Taskflow based on Human Workflow Task
    Since I tell this by heart, I might be slightly wrong in the terms.
    You probably want to try the second option. It is accessible from the "New Gallery". You'll have to provide the Human Task from the BPM project, but then you can build up the ADF Taskflow by your self, based on the customizations of the rest of your application.
    Should not be rocket science for someone with ADF11g experience. Since it is not my dayly job, I need to figure it out every time again ;). But I did it in the past and it wasn't so hard.
    Regards,
    Martien

  • Supplier not visible in the Purchase Order Menu

    Hi All,
    I have created a Supplier and a Supplier Site from the back end using Supplier Conversion.
    It was successful and I am able to see the customer in the Supplier menu in Payables and Supplier base menu in the Purchasing, but the supplier is not visible in the Purchase Order Menu in Purchasing.
    I have Enabled the following flags in the Supplier Site Level,
                   l_vendor_site_rec.purchasing_site_flag := 'Y';
                   l_vendor_site_rec.pay_site_flag := 'Y';
                   l_vendor_site_rec.rfq_only_site_flag := 'Y';
    What else do I need to enable in Supplier level for the Supplier to be visible for Purchasing.
    Please give me a solution so that I can resolve my issue.
    Thanks in advance.
    Regards,
    Bhaskar.

    Hi,
    You will have to achieve this through APIs, Please do some google and refer Oracle docs.
    Following are some links, which may interest you:
    R12 Oracle Apps: Supplier or Vendor Creation API
    Oracle EBS Technical Step By Step: August 2012
    Hope this helps!
    Best Regards

  • Services for object box not visible for some users

    Dear All,
    PM module experts please help. In equipment master transaction IE02  in left hand top corner we get  box for SERVICES FOR OBJECT which is useful for attaching external documents like word and excel. but problem  is it is  not visible for some users.  Our security/authorisation team has also done some check but didn't get any solution.
    anybody knows the reason why there is no box availabe?
    Thanks
    SR

    Dear Siddhartho Raha
    I think this problem related ABAP work,this problem very general problem,first refer any note availble or search throgh any class in SE24
    note are like this way 492331,this is not related to your query but same like it is and also may be
    Due to an error in the coding, it was possible to link a Word document to a Document in IE01. Because the data cannot be saved in transaction IE01, the linked document is lost after leaving the transaction.
    Hope this may helps you
    Prem.

  • Menu bar is not visible, but neither is Full Screen mode button. How do I fix this?

    While I am in Firefox, it appears that I am in Full Screen mode, as my Menu Bar is missing while in the application, but when I looked up how to troubleshoot, it told me to click on the Full Screen mode button (with diagonal arrows) but it is not visible anywhere in my browser. How else can I get out of Full Screen mode? Thank you!

    On Mac you can use: command+Shift+F

  • Xcelsius - Embedded 'Jpg' logo not visible, Pie chart Legends not visible

    Hi,
       I am new to xcelsius. could you please help.
       I have two issues.
      1. I incorporated Logo (JPG FILE) and selected options Embed file, resize image to component, but image is not visible when I preview. Why? What needs to be done to make logo visible in preview(swf file). I did not export yet to Infoview though.
    2. Legend values are cropped. I have 35 legends that are to be listed for pie chart. I can see only 31 and remaining four not visible (two from beginning, 2 at the end). I reduced font to lowest visible value i.e.  8 and increased height max possible that looks good . How to make them visible? or make them to fit to chart. Is there any option? Legend values are towards right of chart.
    Please help.
    BR, Nanda Kishore

    Hi,
       Are you using Image Component to insert your JPEG, if not try that. It will work as expected.
       As for your pie chart legends, it will work as long as your Pie Chart is large enough to fit all regions onto the screen.
       Try a simple test just to prove that concept.
          - Create 2 columns in Excel
          - Make Column A your Region Column. Insert up to 35 records
          - Make Column B you Data column. Also insert up to 35 records.
          - Now map your data into the Pie Chart and make sure you reduce the fonts of the region to "8" (Smallest it can go)
          - Preview it.
    Ken

  • Setting objects on not visible rows

    Hi there,
    I'm building a TreeTable (on the 1st column a tree, n the 2nd one some checkboxes, and on all the others some statistics collected from the tree). Particularly, the seconf column allows to select a bunch of tree nodes for later treatments.
    Say all the tree is not expanded and I check a node that has some of its descendant childs node not visibles (parent not currently expanded). I'd like my program to automatically check all descendant childs nodes of the currently being check node - INCLUDED all childs that are not visible.
    In my cellEditor (I can use "row" as the only information to get the right node), I currently have that kind of ugly code to do so:
    public Component getTableCellEditorComponent(JTable table, Object value, boolean isSelected, int row, int column) {
            CTestTreeNodeData testTreeNodeData = (CTestTreeNodeData) sortTreeTable.getValueAt(row, 0); // get the tree node -> column=0
        short newState = computeNewState(testTreeNodeData.getState()); // compute the new state ("checked" or "not checked")
    t    estTreeNodeData.setState(newState); // set this new value on the model
    switch (newState) {
         case CThreeStateCheckboxModel.SELECTED:
         case CThreeStateCheckboxModel.PARTIALLY_SELECTED:
                   // need to do this in this order to get correctly the rows
                   mainFrame.expandNodeAll(row); // first expand of descendant childs !!!!               
                   mainFrame.checkNodeAll(row, newState); // check all childs from current row (this code is incrementing row, then verify from the new treepath to see if it's a descendant or not and redo it recursively
                   mainFrame.collpaseNode(row); // HACK !!!! restore how it was before
                   break;
          return defaultCellEditor.getTableCellEditorComponent(table, threeStateCheckbox, isSelected, row, column);which looks very bad for me... Is there a better solution to change data on some currently hidden nodes if we have only the row has input ?
    Thx,
    Eg\\*

    Hi Namsheed,
    I think this is normal because the travel request does not include any booking details.
    The travel request is before any online bookings.
    So might be it would help to explain in detail your process and used components.
    Best regards,
    Sigi

  • Time Machine Browser not visible

    I am able to do backup using the time machine application. I can see the backup when I click on the drive icons and move through the file flows. The problem is when I select the time machine icon from the dock, It does not display the images that you can scan through the time line on the right side of the screen is not visible. I am very new to Apple and the Mac, this app was working properly when I first installed a usb drive. It worked for a week and then the system failed during a backup. I was able to reset the drive and remove the failed backup. I was able to then do additional backup using this drive and the time machine but the time machine browser does not work. Is there a way to reset the browser, I can not find anything in my searching various forums.
    Any help is greatly appreciated.
    Thanks in advance for any help

    Michael29 wrote:
    I Guess its all done, thank you very much for your help.
    Yay! and you're entirely welcome.
    I have been an OS2 user for many years and of coarse did windows, apple is somewhat different in the way this are done but is very stable machine. I have my MAC now for about three weeks and It just works, no crashes, the mail program never misbehaves, can not say the same for windows and outlook.
    Yes, Macs are pretty good, but they're not perfect (these forums are not empty).
    Do you think I should get an antivirus program, from what I read you really do not need one. My concern is the overhead those type of programs have on system performance.
    No. There are no known OSX viruses, and the few trojans and other malware require your participation in one way or another to load and/or run. (I especially like the ones that are hidden in pirated copies of iWork and other apps -- how appropriate!)
    Some folks, however, worry about passing Windoze viruses amongst their PC friends. In that case, the free clamXav is recommended most here, as being as good as any, and not obtrusive.
    If you haven't seen this yet, there may be a handy tidbit or two: http://www.apple.com/support/switch101/

  • GPO Drive mapping - drive not visible but mapped

    Did you double check your policy and make sure you selected "Show this drive" for that mapped drive?

    HiI've got a weird issue and Internet has yet to give me a solution.So I've created a GPO that maps drives to certain users inOU's.Users that do not yet have a profile ona workstation get the drive mapped as expected. But users that have previously logged on to the workstations do not see the drive.gpupdate /force does not seem to resolve the issue. I ran a gpresult /H result.html and saw that the GPO succeeded in applying the user settings. I checked the drive with "net use" and there I could see that the drive was mapped butjust not visible in Windows. The drive letter I'm using is not used by another device. The reconnect checkbox is ticked in the Drive Maps properties.When I type the drive letter in the addressbar in explorer ( N:\) it works flawlessly so it's not a permission issue.So to summarize: drive is accessible and mapped...
    This topic first appeared in the Spiceworks Community

  • Images Not Visible but Loading within Spry

    I've built out a site using Spry numerous times and never had
    any problems. But the below site I'm having issues with in that it
    works fine in Safari but the images load within the Spry region set
    (div id="mainContent") but are not visible. The images are
    definately there as they can be viewed in a seperate window or
    downloaded to the desktop.
    w/w/w/./sl/im/press/./com (ignore / for domain name)
    I've tried commenting out various elements in the css and
    html and nothing seems to remedy this problem. Any help would be
    super appreciated as I'm super stuck on this! The images don't load
    in Firefox or Explorer. Thanks!

    Hi bkerkay,
    first try a rebuild of the library.
    Try this:
    Before doing a rebuild make sure iPhoto's trash bin is emptied. You can do this by control clicking on the trash bin, or from the menu bar under iPhoto.
    Close iPhoto
    Duplicate the iPhoto Library folder
    Drag the duplicate to the desktop (hopefully you have enough room on your hard drive for the duplicate.)
    Launch iPhoto holding down the Command and Option keys until you see the rebuild options screen.
    Choose the first three options. If you were missing photos in your library, also choose the last option. Be advised that you will get a roll of orphaned photos and it might be quite huge. Most of them will already be in your iPhoto library, but use caution when deleting anything from this roll until you are sure the photos are still in your library in another place. It might be a good idea to share/export this roll of photos just in case you need to import them again.
    Back to the rebuild, depending on the size of your library it might take some time. When it is done, hopefully your photos will be there.
    You might see some unexpected results as I did when I did a rebuild. Photos had been moved to wrong dates, video clips had lost their duration info and some were even orphaned from the jpg pointer file. It took me some time to straighten it out again.
    This is the reason to make a duplicate before you rebuild, in case you do not like the result. If you don't like the result, close iPhoto, then delete the rebuilt library and drag the duplicate back into the Pictures folder making sure the name is iPhoto Library. Launch iPhoto and it should open the library in the Pictures folder.
    iPhoto 4 or later: Rebuilding the iPhoto Library
    Get back with results.
    Lori

  • Xcelsius 2008 sp3 preview not responding which I created in CANVAS.

    Hi, Guys;
    I am using Xcelsius 2008 SP3 free trial version. I made one dashboard and when I click on preview It's give me bar chart and slide bar which is not belong to my dashboard at all which I created. even when I open xcelsius blank file it is still give me bar chart and slide bar.. even this file no exist anymore in my laptop. any help please Thanks in ADVANCE.

    ALSO... Please do NOT post the same question in multiple forums.

Maybe you are looking for