Problem in Referring to a model

<b>Hi all,
I have already seen a previous thread which exactly replicates my question. But i have a small problem.</b>
My prog is lik this.
I have one model and two controllers and each controller has one view.
On one view, I fill internal table of the model with data and display the output in another view which is in the second controller. I use only a single model.,
<b>But my problem is ...when i use the following code.....
   CNTRL2->SET_ATTRIBUTE( NAME  = 'MODEL1'
                           VALUE = MODEL1 ).</b>
I get an error message saying that <u><b>BSP exception: An attribute with the name "MODEL1" has not been defined</b></u>

hi
this erroer will ger when u dint define the model1 in the page attributes.
so define in the page attributes.
check and try it.

Similar Messages

  • HT1476 i have problem on my iphone battery model A1457 battery finish fast withen 1 hours

    i have problem on my iphone battery model A1457 battery finish fast withen 1 hours

    When did you first notice this issue?
    you have to isolate the issue if its a hardware issue or a software one
    if its hardware you can probably let apple check it and have it repaired, as you mentioned its a brand new phone
    its probably under the warranty
    if its software, try doing a restore,  - http://support.apple.com/kb/ht1414
    if you have contacted apple and request for a repair, they are probably gonna restore your device first.

  • Problem in converting a simulink model in LabVIEW 2010

    hello,
    I have developed a Simulink model in MATLAB which I want to convert into equivalent LabVIEW VI's. The simulink model is as attached. The problem here is:-
    LabVIEW is not able to convert all the mechanical blocks named Ankle revolute joint, Body , joint actuator and joint sensor into  equivalent LabVIEW VI.
    Is it possible to convert those blocks into equivalent LabVIEW VI's?
    PS:- I am using LabVIEW 2010.
    Attachments:
    AAFO.PNG ‏19 KB

    Hi Susheel,
    RFC module interface parameters (import, export , tables) can only refer to data dictionary types. Hence if you currently have one of the parameters referring to a type defined in your function group main include or in a type pool, you need to create a SE11 data dictionary structure/ table type for that and then change the data type reference.
    Cheers,
    Aditya

  • Oracle 11g - Problem in referring ROWNUM in the SQL

    Hello All,
    We are facing a strange problem with Oracle 11g (11.2.0.1.0).
    When we issue a query which refers the rownum, it returns a invalid record ( which is not exists in the table).
    The same sql is working fine once we analyze the table
    Note: The same sql is working fine with oracle 10g (Before analyze also).
    The script to reproduce the issue:
    DROP TABLE BusinessEntities;
    CREATE TABLE BusinessEntities
    business_entity_id VARCHAR2(25) PRIMARY KEY,
    business_entity_name VARCHAR2(50) NOT NULL ,
    owner_id VARCHAR2(25) ,
    statutory_detail_id NUMBER ,
    address_id NUMBER NOT NULL
    DROP TABLE BusEntityRoles;
    CREATE TABLE BusEntityRoles
    business_entity_id VARCHAR2(25) NOT NULL,
    role_id VARCHAR2(10) NOT NULL,
    PRIMARY KEY (business_entity_id, role_id)
    INSERT
    INTO businessentities ( business_entity_id , business_entity_name, owner_id , statutory_detail_id , address_id)
    VALUES
    ( 'OWNER', 'OWNER Corporation Ltd', NULL , 1, 1 );
    INSERT
    INTO businessentities ( business_entity_id , business_entity_name, owner_id , statutory_detail_id , address_id)
    VALUES
    ( 'ALL_IN_ALL', 'ALL IN ALL Corporation Ltd', 'OWNER' , 2, 2 );
    INSERT INTO busentityroles(business_entity_id, role_id) VALUES ('TEST' , 'OWNER');
    INSERT INTO busentityroles (business_entity_id,role_id) VALUES ('TEST','VENDOR');
    INSERT INTO busentityroles(business_entity_id, role_id) VALUES ('ALL_IN_ALL' , 'VENDOR');
    SELECT *
    FROM
    (SELECT raw_sql_.business_entity_id, raw_sql_.business_entity_name, raw_sql_.owner_id, raw_sql_.address_id,
    rownum raw_rnum_
    FROM
    (SELECT *
    FROM BusinessEntities
    WHERE (business_entity_id IN
    (SELECT business_entity_id
    FROM BusinessEntities
    WHERE business_entity_id = 'OWNER'
    OR owner_id = 'ALL_IN_ALL'
    AND business_entity_id NOT IN
    (SELECT business_entity_id FROM BusEntityRoles
    ORDER BY business_entity_id ASC
    ) raw_sql_
    WHERE rownum <= 5
    WHERE raw_rnum_ > 0;
    OUTPUT Before Analyzing
    BUSINESS_ENTITY_ID: OWNER
    BUSINESS_ENTITY_NAME: NULL
    OWNER_ID: OWNER
    ADDRESS_ID: NULL
    RAW_RNUM_: 1
    Note: There is no record in the table with the value business_entity_id as 'OWNER' and OWNER_ID as 'OWNER' and the address_id as NULL
    OUTPUT : After analyzed the table Using the below mentioned command
    ANALYZE TABLE "BUSENTITYSUPPLYCHAINROLES" ESTIMATE STATISTICS
    ANALYZE TABLE "BUSINESSENTITIES" ESTIMATE STATISTICS
    BUSINESS_ENTITY_ID: OWNER
    BUSINESS_ENTITY_NAME: OWNER Corporation Ltd
    OWNER_ID: NULL
    ADDRESS_ID: 1
    RAW_RNUM_: 1
    Any clue why Oracle 11g is behaving like this.

    Hi,
    it's a good practice to give aliases for tables, as well as name query blocks. Here it is (and formatted for convinience):
    select --/*+ gather_plan_statistics optimizer_features_enable('10.2.0.4') */
      from (select /*+ qb_name(v2) */
                   raw_sql_.business_entity_id
                  ,raw_sql_.business_entity_name
                  ,raw_sql_.owner_id
                  ,raw_sql_.address_id
                  ,rownum raw_rnum_
              from (select /*+ qb_name(v1) */ *
                      from businessentities b1
                     where (b1.business_entity_id in
                           (select /*+ qb_name(in) */ b2.business_entity_id
                               from businessentities b2
                              where business_entity_id = 'OWNER'
                                 or owner_id = 'ALL_IN_ALL'
                                and business_entity_id not in
                                   (select /*+ qb_name(not_in) */ r.business_entity_id from busentityroles r)))
                     order by business_entity_id asc) raw_sql_
             where rownum <= 5)
    where raw_rnum_ > 0;You are facing some bug - definitely - and, possibly, it is caused by [join elimination|http://optimizermagic.blogspot.com/2008/06/why-are-some-of-tables-in-my-query.html]. As a workaround you should rewrite the query to eliminate unnecessary join manually; or you may include a hint to not eliminate join (it's not documented):
    SQL>
    select -- /*+ gather_plan_statistics optimizer_features_enable('10.2.0.4') */
      from (select /*+ qb_name(v2)  */
                   raw_sql_.business_entity_id
                  ,raw_sql_.business_entity_name
                  ,raw_sql_.owner_id
                  ,raw_sql_.address_id
                  ,rownum raw_rnum_
              from (select /*+ qb_name(v1) no_eliminate_join(b1) */ *
                      from businessentities b1
                     where (b1.business_entity_id in
                           (select /*+ qb_name(in) */ b2.business_entity_id
                               from businessentities b2
                              where business_entity_id = 'OWNER'
                                 or owner_id = 'ALL_IN_ALL'
                                and business_entity_id not in
                                   (select /*+ qb_name(not_in) */ r.business_entity_id from busentityroles r)))
                     order by business_entity_id asc) raw_sql_
             where rownum <= 5)
    20   where raw_rnum_ > 0;
    BUSINESS_ENTITY_ID        BUSINESS_ENTITY_NAME                               OWNER_ID                  ADDRESS_ID  RAW_RNUM_
    OWNER                     OWNER Corporation Ltd                                                                 1          1Strange thing is executing a transformed query gives correct result too:
    SELECT "from$_subquery$_001"."BUSINESS_ENTITY_ID" "BUSINESS_ENTITY_ID",
           "from$_subquery$_001"."BUSINESS_ENTITY_NAME" "BUSINESS_ENTITY_NAME",
           "from$_subquery$_001"."OWNER_ID" "OWNER_ID",
           "from$_subquery$_001"."ADDRESS_ID" "ADDRESS_ID",
           "from$_subquery$_001"."RAW_RNUM_" "RAW_RNUM_"
      FROM  (SELECT /*+ QB_NAME ("V2") */
                    "RAW_SQL_"."BUSINESS_ENTITY_ID" "BUSINESS_ENTITY_ID",
                    "RAW_SQL_"."BUSINESS_ENTITY_NAME" "BUSINESS_ENTITY_NAME",
                    "RAW_SQL_"."OWNER_ID" "OWNER_ID","RAW_SQL_"."ADDRESS_ID" "ADDRESS_ID",
                    ROWNUM "RAW_RNUM_"
               FROM  (SELECT /*+ QB_NAME ("V1") */
                            "SYS_ALIAS_1"."BUSINESS_ENTITY_ID" "BUSINESS_ENTITY_ID",
                            "SYS_ALIAS_1"."BUSINESS_ENTITY_NAME" "BUSINESS_ENTITY_NAME",
                            "SYS_ALIAS_1"."OWNER_ID" "OWNER_ID",
                            "SYS_ALIAS_1"."STATUTORY_DETAIL_ID" "STATUTORY_DETAIL_ID",
                            "SYS_ALIAS_1"."ADDRESS_ID" "ADDRESS_ID"
                       FROM "TIM"."BUSINESSENTITIES" "SYS_ALIAS_1"
                      WHERE ("SYS_ALIAS_1"."BUSINESS_ENTITY_ID"='OWNER'
                          OR "SYS_ALIAS_1"."OWNER_ID"='ALL_IN_ALL' AND  NOT
                             EXISTS (SELECT /*+ QB_NAME ("NOT_IN") */ 0
                                       FROM "TIM"."BUSENTITYROLES" "R"
                                      WHERE "R"."BUSINESS_ENTITY_ID"="SYS_ALIAS_1"."BUSINESS_ENTITY_ID")
                      ORDER BY "SYS_ALIAS_1"."BUSINESS_ENTITY_ID") "RAW_SQL_"
             WHERE ROWNUM<=5) "from$_subquery$_001"
    26   WHERE "from$_subquery$_001"."RAW_RNUM_">0
    27  /
    BUSINESS_ENTITY_ID        BUSINESS_ENTITY_NAME                               OWNER_ID                  ADDRESS_ID  RAW_RNUM_
    OWNER                     OWNER Corporation Ltd                                                                 1          1

  • Problem when engineering to relational model

    I have modeled everything in Logical model and then engineered it to the relational model. Now I have to make some changes, and I'm doing them in Logical model. When I'm engineering it to Relational, although I just altered one single item, I see that it's also bringing some other entities as altered. Inpecting these I see that all of them relate to identifying foreign keys with more than one column. For examplo, I have an entity with 2 columns as primary key, and a second entity with an identifying foreign key to the first, and a third column, based on a sequence, which, all three of them, are the second tables primary key. Everything is OK, I haven't changed anything on any of these entities, but when I'm engineering to relational, it creates a duplicate of one of the columns on the relational model, and alters it's name appendig a number 1 after it. If I try engineering again, it is going to create another column appending a number 2 and so on.... I think this is a bug.... am I right?
    My alternate solution is to drop the foreign key on the relational model, thus dropping both columns, and then engineering from Logical again. Everything keeps working fine, until I close my model. When I open it again, the same problem reappears....

    Philip,
    Sorry for my too late reply, as I forgot to flag this discussion to notify me via e-mail. Thanks for your response, but I was actually using DM 4.0.1.836 and this issue still persisted.
    I just downloaded DM 4.0.2.840, and the issue still persists. I just opened my original model and, without making any changes, tried to forward engineer from logical to relational, and it brings up differences on exactly the same tables.
    Wolf
    P.S.: I've gone through the motions of dropping the FKs on the relational model, dropping any orphaned columns (from these FKs) and re-engineering. Afterwards, I saved and closed all models, closed the application, opened it again and opened my model and the issue persists.
    I also created a new model, with some tables using the same principles, and no error occurred, although in this new model I didn't create a physical model.
    Is it possible that something is wrong with my original model?

  • Facing Problem with Adaptive Web Service Model

    Hi All,
    I am consuming adaptive web servcie model.  It is created from a lcoal web service i.e deployes on a web service. When i run from WS navigator it works fine.
    When i consume WDJ it is erroring out. The method is written an array of bean methods.
    The error i am getting is -- java.lang.IllegalArgumentException: Target role name 'Response' not defined for model class 'SearchInvoiceByNumberResponse'
    Please help me, have a very tight delivery....
    Thanks
    Supriya

    Hi All,
    I did re-imported my model but no help. There are 5 business methods in my EJB. three methods returns integer value and other two methods are selecting the data which returns bean type. One is bean type and another is of bean array type.....
    I have problem with only these two...........................these two methods errors out when try to consume through adaptive web servcie model....are there any pre-requsisties i should take care offf.....
    Help me out................
    Thanks
    Supriya.

  • Problem with Adaptive Web Service model

    Hi All,
    I am trying to create a model using Adaptive Webservice.
    While I am deploying the application I am getting the following warning message.
    I cheked the web serivice throw WSNavigator, It is working properlty.Nov 27, 2008 3:34:56 PM /userOut/deploy (com.sap.ide.eclipse.sdm.threading.DeployThreadManager) [Thread[Deploy Thread,5,main]] WARNING:
    [040]Deployment finished with warning
    Settings
    SDM host : infpu05445
    SDM port : 50118
    URL to deploy : file:/C:/DOCUME1/286355/LOCALS1/Temp/temp62998testw.ear
    Result
    => deployed with warning : file:/C:/DOCUME1/286355/LOCALS1/Temp/temp62998testw.ear
    Finished with warnings: development component 'testw'/'local'/'LOKAL'/'0.2008.11.27.15.34.48':
    Caught exception during application startup from SAP J2EE Engine's deploy service:
    java.rmi.RemoteException: Error occurred while starting application local/testw and wait. Reason: Clusterwide exception: server ID 12403050:com.sap.engine.services.deploy.container.DeploymentException: Clusterwide exception: Failed to prepare application ''local/testw'' for startup. Reason=Clusterwide exception: Failed to start dependent library ''tc/wd/wslib'' of application ''local/testw''. Status of dependent component:  STATUS_MISSING. Hint: Is the component deployed correctly on the engine?
         at com.sap.engine.services.webdynpro.WebDynproContainer.prepareStart(WebDynproContainer.java:1490)
         at com.sap.engine.services.deploy.server.application.StartTransaction.prepareCommon(StartTransaction.java:231)
         at com.sap.engine.services.deploy.server.application.StartTransaction.prepare(StartTransaction.java:179)
         at com.sap.engine.services.deploy.server.application.ApplicationTransaction.makeAllPhasesOnOneServer(ApplicationTransaction.java:301)
         at com.sap.engine.services.deploy.server.application.ParallelAdapter.makeAllPhasesImpl(ParallelAdapter.java:317)
         at com.sap.engine.services.deploy.server.application.ParallelAdapter.runInTheSameThread(ParallelAdapter.java:111)
         at com.sap.engine.services.deploy.server.application.ParallelAdapter.makeAllPhasesAndWait(ParallelAdapter.java:227)
         at com.sap.engine.services.deploy.server.DeployServiceImpl.startApplicationAndWait(DeployServiceImpl.java:4684)
         at com.sap.engine.services.deploy.server.DeployServiceImpl.startApplicationAndWait(DeployServiceImpl.java:4589)
         at com.sap.engine.services.deploy.server.DeployServiceImpl.startApplicationAndWait(DeployServiceImpl.java:4562)
         at com.sap.engine.services.deploy.server.DeployServiceImplp4_Skel.dispatch(DeployServiceImplp4_Skel.java:1163)
         at com.sap.engine.services.rmi_p4.DispatchImpl._runInternal(DispatchImpl.java:304)
         at com.sap.engine.services.rmi_p4.DispatchImpl._run(DispatchImpl.java:193)
         at com.sap.engine.services.rmi_p4.server.P4SessionProcessor.request(P4SessionProcessor.java:122)
         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:100)
         at com.sap.engine.core.thread.impl3.SingleThread.run(SingleThread.java:170)
    (message ID: com.sap.sdm.serverext.servertype.inqmy.extern.EngineApplOnlineDeployerImpl.performAction(DeploymentActionTypes).REMEXC)
    Deployment exception : Got problems during deployment
    Can you all please let me know is the problem with model creatuion or Web Service configuration.
    Thanks,
    Archana.

    It seams that the component 'tc/wd/wslib' is not well deployed on your server. You should redeploy it on your server.
    -Go to nwds, Development infrastructure perspective
    -Expand the FRAMEWORK item, there is the 'tc/wd/wslib' normally
    Deploy :
    -Open the menu Window > Show view > Other and open the Undeploy View
    -In the undeploy view expand the FRAMWORK item and locate the tcwdwslib (it ther is no such application, then go directly to deploy steps after)
    -Add the to the undeploy list (+ button)
    -Click undeploy (blue button near + button
    When it is undeployed, you can redploy it:
    -In the Componenet Browser, locate the 'tc/wd/wslib' in the FRAMWORK as befor
    -Right-click and click Deploy and click OK
    If it not working, try the same (undeploy/dredploy) with 'tc/wd/wslib/api'
    Check also that the dependencies of your project should have 'tc/wd/wslib/api' and not tc/wd/wslib/
    Hope it will help you
    Quentin

  • Problem with importing Web Service Model

    Hello,
    in my Web Dynpro project I try to import a web service model.
    After choosing the wsdl file the different classes and files are generated but in the Web Dynpro Explorer there is no Model created in the Node Models. Also after reloading and rebuilding the project no model appears.
    In the source folders the generated files exist.
    Does anybody have an idea for solving this problem?
    Cheers, Dennis

    Hi Dennis,
    Restarting your NWDS will bring you the newly created model.
    Thanks,
    Venkat

  • Problem with ODI 11g (Extension/Modeler issue)

    After installing ODI and running ODI Studio, I did not get the Connect to Repository window in the left. Extension log says: Error: Not Loaded: Missing dependencies: oracle.modeler
    Seems like its a missing extension, can anyone help me with this issue? Thanks

    Yes AyushGaneriwal,
    the problem was non printable characters in the last field of 2000 character arriving from Mainframe download, now i asked for a clean file and is working good.
    Thank you.
    B.

  • Problem with activation of integration model

    Hi,
    I am facing a problem. Whenever I activate the integration model for vendors, a "CIF_LOAD" window appears with message "Should interval be created" with YES and NO option. Why does this window appears? After clicking on NO option the message "Determining delta model" appears in the status bar and after some time the program gets terminated due to time out.
    I have tried following solutions.
    Refreshed the indexes of the two tables BDCPS and BDCP using DB20.
    Executed the transaction BD22 in test run mode, but I am not sure which change pointers option(obsolete or processed) to select for deletion and also which message type. I selected the obsolete option but here too the program got terminated after time out.
    After this I selected  the message type "CREFET" (Get Vendor Data), "CRECOR" (Core vendor master data distribution), "CREMAS" (vendor master data distribution) but there were no change pointers for this message type.
    Besides I am doing this on prduction environment and other integration models like plant etc got activated.
    Please help us with this.
    Regards,
    Gaurav Patil
    Edited by: Gaurav Patil on Sep 29, 2008 12:35 PM
    Edited by: Gaurav Patil on Sep 29, 2008 12:36 PM

    Hi Gaurav,
    Please split the volume in multiple jobs and see wheather it is running fine or not ?
    Also please check CFG1 log on R/3 side .
    Also check SLG1 log on APO side .
    Manish

  • Problem Oracle SQL Developer Data Modeler 4.1

    Hi:
    I´m tried to use the new 4.1 version (BETA) of Datamodeler but I have one problem at the time I execute the program.
    When I work the datamodeler.exe the console show me:
    UIDefaults.getUI() failed: no ComponentUI class for: oracle.ide.controls.StatusBarControl$JDevStatusBar[,0,0, 0x0 , invalid.......
    ¿Can you help me?
    Thanks.

    Hi,
    Data Modeler 4.1 needs Java 1.8 to run successfully.
    If you try to run Data Modeler 4.1 with Java 1.7 it gets stuck in "Registering Extensions", and this error appears in the console log.
    When you try to start it with Java 1.7 it normally gives an "Unsupported JDK version" warning, which identifies the file that needs to be updated to refer to a Java 1.8 jdk.
    On Windows, this will normally be C:\Users\<your user>\AppData\Roaming\datamodeler\4.1.0.866\product.conf,
    but if you start it from the console using the datamodeler64.exe it will probably use the file
    C:\Users\<your user>\AppData\Roaming\datamodeler64\4.1.0.866\product.conf instead.
    You can edit this file.  Alternatively if you delete the file, it should display the dialog asking for the location of the JDK next time.
    David

  • Problem calling WebService from VisualComposer model at runtime

    Hello Experts,
    I have a very simple model with form as input for calling Webservice on backend system and a table as output.
    During the runtime the WebService call is failing with:
    Error while getting the backend function : Could not find operation Z_EAI_GETUSERROLES_WS.ZEaiGetuserroles
    The service definition is succesfully published to CE's ServiceRepository.
    There is a correct entry for backend system under SOA->Destination Template Management in CE NWA.
    I can succesfully test this WebService in WSNavigator in both systems - CE and backend.
    I can succesfully test this WebService in NWDS at design time (by right-clicking on service)
    In Logs Viewer I can see the following entries:
    error 2011-10-13 17:16:01:838 Stopped further execution since the interpreter is unusable /Applications/wd4vc com.sap.tc.webdynpro.progmodel.generation.DelegatingComponent.XGLInterpreter sap.com/aanisecurityui~vc_impl
    info 2011-10-13 17:16:01:837 Closing the connection for the system SRR /Applications/wd4vc com.sap.tc.webdynpro.progmodel.generation.DelegatingComponent.postExecution:  sap.com/aanisecurityui~vc_impl
    warning 2011-10-13 17:16:01:272 No classification system found for ID 'uddi:uddi.sap.com:categorization:physical-system-id' /Applications/UDDI/Classification com.sap.esi.uddi.sr.cs.handler.impl.ejb.util sap.com/tcesiuddisrcs~ear
    Can you please advise me what else I need to check to solve this error?
    Best Regards,
    Artsiom Anichenka

    Hi Artsiom ,
    I don't know VC and how it is on CE 7.3, but when developing Java Webdynpro application using CE 7.11 on same principle (with destination template defined in NWA), we sometimes faced almost same situation due to cache problem...
    Basically, this happen if you deploy your application using a model, change your webservice (for example adding a new field), re-import the model in NWDS and re-deploy. In NWDS, everything seems to be ok, but at runtime, it fails due to cache problem which is not refreshed with the new meta data definition. The only solution in 7.11 was to restart the server. I think (but not sure) that starting 7.2, there is a tool to clean the (webservice) cache.
    I hope it could help...
    Regards
    Olivier

  • Start up problems with a G4 Gigabit model.

    Hi Guys,
    I could really use some help here. I just recently traded a friend for a dual 500mhz processor that he took of from a G4 Gigabit Ethernet model. It appears that the particular GE had issues with it's logic board and my friend decided to part it up. I swapped out my old 400MHZ single core cpu & installed the Dual 500MHZ. Before I performed the upgrade, I took out the memory and video card so that I could have better room to work with. Once I put everything back, I started up the Mac and got the bong and I could hear the fan working but, the screen was blank. The message on the monitor read, "no signal from computer". I shut down the Mac and uninstalled and reinstalled the video card and still got the same problem. I pressed the cuda button and finally got the system to start up but now every time I shut the Mac down, I keep getting the same problem. When I try to start her up, it takes a long time for Mac OSX to load and some times it times out. The only way that I can get her to start correctly is by shutting her down, waiting 10 seconds, starting her back up & then press the reset button but, I'm afraid that I'm doing damage to her.
    Does anyone know what's going on with her? My gut feeling is that it might be the pram battery but I'm not too sure. Any help would be appreciated.
    -Rick

    PRAM battery. I would check it first. When mine went, I had no response from my Mac at all; just a light on my power button; absolutely no boot at all.
    Check out things in Texas Mac Man's Battery, PRAM, PMU tutorial on the subject. His tutorial is a little dated (don't believe it even mentions G5's) but the info in it, except SMU not being included, still applies. The SMU link is for a late G5 Tower. Early G5's use PMU rest, as shown in the tutorial. The battery for late G5 + G5 iMacs and earlier iMacs, Mac Minis and Intel Tower Macs is this one.
    Course, the CPU you traded for could be bad also. Maybe it wasn't the logic board after all. Try things in the faq first.
    Dale

  • Problem "filling" OBJ file after Model Clip is used

    I am developing an applet that loads body scans and makes them viewable in a 3D universe. I have my loader and basic Java 3D Components laid out correctly; however, my only problem seems to be when clipping the body scan (which is an object file OBJ) the inside of the body scan is not filled - it's almost as if the obj image is "hollowed" out. I load one image in using the build in obj loader through Java 3D and I create three instances of that obj file and have the middle one the original image, the left one a vertical clip using model clip, and the right a horizontal clip using model clip as well. The clipping works great and I am not having trouble with this aspect of the java. I am just curious if there is any way to fill in this area so that it does not appear to have a hollowed out look, but instead a filled look. Is this something that I can fix or is this a problem with the image?
    Thanks all, Kevin.

    I did it...  I figured out the problem.  Incidentally, there must have been some formatting changes in photoshop that took place since I last used it with success.
    The steps I now took.  I opened up one of my JPEG picture files, opened up one of the pics with photoshop, edited it.
    1. Clicked save as
    2. The box came open as to where to save and I saved as JPG file plus I checked the "as a copy" box clicked OK/save
    3. The next window that came up was the JPEG option box and I checked the "Preview box" and save
    4. A window came up in photoshop asking if I wanted to save (the edits on the original) I clicked no because I wanted to keep the original as is.
    5. I closed out of photoshop and there was my edited picture in "my pictures" 
    I am so glad that I got this all worked out.  Thanks to all of you who tried to help me.

  • I am having problems with an update.  I spoke with Prabhudev on 9/27.  He was unable to resolve my problem and referred me to call 800-833-6687.  When I call, I get an automated message that help is not available.  What now?

    My Mac tells me there is an update for Photoshop CS5, the Camera Raw 6.7 update.  It downloads, installs, then gives me an error message that the installation failed, error code U44M1P7, and advises contacting Customer Support.  I did so.  On 9/27 I chatted with Prabhudev.  He referred me to a link to download the update.  I did the download and tried to install.  I got an error message - "Error - “AdobePatchInstaller.app” can’t be opened because it is from an unidentified developer. Your security preferences allow installation of only apps from the Mac App Store and identified developers.“AdobePatchInstaller.app” is on the disk image “AdobeCameraRaw-6.7-mul-AdobeUpdate.dmg”. Safari downloaded this disk image today at 12:54 PM from www.adobe.com"  He then said
    Prabhudev: Okay, In this case I suggest you to contact our technical support team on monday.
    Prabhudev: 800-833-6687
    That number gets me to a recording that tells me that phone support is not available.
    I can open and use Photoshop, but whenever I check for updates for my computer, this same update comes up, gets downloaded, and fails to install.  I want to either get rid of the update message or get the update installed.  Can anyone help?

    Further info - I changed my security settings to allow apps from anywhere, and again tried to install.  I again got an error message
    that the update failed to install, and to contact Customer Support.

Maybe you are looking for