Pasaje de Parametría

Hola,
quisiera saber como realizo un pasaje de parametría, ya sea definicion de Tablas de usuario, campos, de un entorno a otro.
Gracias por la ayuda.

Hola Ezequiel,
Ahora si te entiendo. Para hacer esto, existe un addon llamado Copy Express que es justamente para hacer eso.
Ahora, en mi opinion funciona casi bien. Justo esta semana tuve la oportunidad de probar la version 2007 del Copy Express y te comento algunos problemas que encontre:
- Al pasar condiciones de pago, grupos de socios de negocio y articulos, los hace en un orden diferente (probablemente alfabetico) al que se encuentran en la base de datos original, lo que hace que las llaves primarias no coincidan. Esto trae problemas al migrar socios de negocio y articulos (que por este tema recomiendo hacerlo por DTW y no por Copy Express)
- Los datos de los objetos de usuario (no las definiciones sino los datos) no son pasados. Esto es por un error conocido en el DI API, pero igual nos afecta.
- No se pasan las retenciones ni los metodos de pago.
- Algunas busquedas formateadas no se pasaron bien.
- Copy Express crea algunas tablas de usuario en la base de datos en las que se ejecuta. Si quieres mantener tu base de datos de produccion "limpia" y tambien la de desarrollo, te sugiero crear una tercera base de datos para el Copy Express. En esta podras hacer tus operaciones sin problemas porque al momento de ingresar al addon te permite seleccionar la base de datos origen y la base de datos destino.
Deben haber muchos mas consejos, pero este es mi pequeño aporte. Espero que te ayude,
Ian

Similar Messages

  • How to pass a col of pl/sql tab to a parametrized cursor?

    Hi,
    I'm getting this error constantly:
    Error on line 1
    declare
    j number :=1;
    cursor f
    ORA-06550: line 9, column 20:
    PLS-00103: Encountered the symbol "TABLE" when expecting one of the following:
    constant exception <an identifier>
    <a double-quoted delimited-identifier> table LONG_ double ref
    char time timestamp interval date binary national character
    nchar
    Code Snippet:
    declare
    j number :=1;
    cursor firstquery (c_item in varchar2) is
    SELECT SEARCH, NAME, ID FROM tablename
    WHERE name LIKE c_item;
    first_rec_tbl_type is table of firstquery%rowtype index by binary_integer;
    first_rec_tbl first_rec_tbl_type;
    type act_str_tbl_type is table of varchar2(50) index by binary_integer;
    act_put_str_tbl act_str_tbl_type;
    begin
    this is executing fine as i have executed it as a standalone script also
    act_put_str_tbl table has values here.passing these to below:
    ----------------------------------- i guess the problem lies here------------------------
         begin
              dbms_output.put_line('reached second begin');
    For i in act_put_str_tbl.first..act_put_str_tbl.last
         loop
         dbms_output.put_line('inside loop of second begin');
         open firstquery(act_put_str_tbl(i));
              loop
              fetch firstquery into first_rec_tbl(j);
              j:=j+1;
              exit when firstquery%notfound or firstquery is null;
              end loop;
         close firstquery;
         end loop;
    How to use parametrized cursor with PL/SQL table, any help is appreciated in the above snippet.
    Thanks

    Satyaki_De wrote:
    first_rec_tbl_type is table of firstquery%rowtype index by binary_integer;Create this type in side any package like ->
    create or replace package patch_array
    is
    first_rec_tbl_type is table of firstquery%rowtype index by pls_integer;
    end;But, you have to use explicit record type instead of firstquery%rowtype here.
    And, then refer this type inside your parametrized cursor to use that properly, that might solve your current problem - i guess.
    So, you cursor should look something like this ->
    cursor firstquery (c_item in patch_array.first_rec_tbl_type)
    is
    SELECT SEARCH, NAME, ID
    FROM tablename
    WHERE name LIKE c_item; N.B.:Not Tested...
    Regards.
    Satyaki De.
    Edited by: Satyaki_De on Dec 28, 2008 1:32 AM??? No package is needed:
    SQL> declare
      2      j number := 1;
      3      cursor firstquery(
      4                        c_item in varchar2
      5                       )
      6        is
      7          SELECT  ename,
      8                  sal
      9            FROM  emp
    10            WHERE ename LIKE c_item;
    11      type first_rec_tbl_type is table of firstquery%rowtype index by binary_integer;
    12      first_rec_tbl first_rec_tbl_type;
    13      type act_str_tbl_type is table of varchar2(50) index by binary_integer;
    14      act_put_str_tbl act_str_tbl_type;
    15  begin
    16      act_put_str_tbl(1) := 'S%';
    17      act_put_str_tbl(2) := '%L%';
    18      act_put_str_tbl(3) := 'KING';
    19      begin
    20          dbms_output.put_line('reached second begin');
    21          For i in 1..nvl(act_put_str_tbl.count,0) loop
    22            dbms_output.put_line('inside loop of second begin');
    23            dbms_output.put_line('act_put_str_tbl(' || i || ') = ' || act_put_str_tbl(i));
    24            open firstquery(act_put_str_tbl(i));
    25            loop
    26              fetch firstquery into first_rec_tbl(j);
    27              exit when firstquery%notfound;
    28              dbms_output.put_line('first_rec_tbl(' || j || ').ename = ' || first_rec_tbl(j).enam
    e);
    29              dbms_output.put_line('first_rec_tbl(' || j || ').sal = ' || first_rec_tbl(j).sal);
    30              j:=j+1;
    31            end loop;
    32            close firstquery;
    33          end loop;
    34      end;
    35  end;
    36  /
    reached second begin
    inside loop of second begin
    act_put_str_tbl(1) = S%
    first_rec_tbl(1).ename = SMITH
    first_rec_tbl(1).sal = 800
    first_rec_tbl(2).ename = SCOTT
    first_rec_tbl(2).sal = 3000
    inside loop of second begin
    act_put_str_tbl(2) = %L%
    first_rec_tbl(3).ename = ALLEN
    first_rec_tbl(3).sal = 1600
    first_rec_tbl(4).ename = BLAKE
    first_rec_tbl(4).sal = 2850
    first_rec_tbl(5).ename = CLARK
    first_rec_tbl(5).sal = 2450
    first_rec_tbl(6).ename = MILLER
    first_rec_tbl(6).sal = 1300
    inside loop of second begin
    act_put_str_tbl(3) = KING
    first_rec_tbl(7).ename = KING
    first_rec_tbl(7).sal = 5000
    PL/SQL procedure successfully completed.
    SQL> To OP. It is better to use BULK COLLECT:
    SQL> declare
      2      cursor firstquery(
      3                        c_item in varchar2
      4                       )
      5        is
      6          SELECT  ename,
      7                  sal
      8            FROM  emp
      9            WHERE ename LIKE c_item;
    10      type first_rec_tbl_type is table of firstquery%rowtype index by binary_integer;
    11      first_rec_tbl first_rec_tbl_type;
    12      type act_str_tbl_type is table of varchar2(50) index by binary_integer;
    13      act_put_str_tbl act_str_tbl_type;
    14  begin
    15      act_put_str_tbl(1) := 'S%';
    16      act_put_str_tbl(2) := '%L%';
    17      act_put_str_tbl(3) := 'KING';
    18      begin
    19          dbms_output.put_line('reached second begin');
    20          For i in 1..nvl(act_put_str_tbl.count,0) loop
    21            dbms_output.put_line('inside loop of second begin');
    22            dbms_output.put_line('act_put_str_tbl(' || i || ') = ' || act_put_str_tbl(i));
    23            open firstquery(act_put_str_tbl(i));
    24            fetch firstquery bulk collect into first_rec_tbl;
    25            for j in 1..nvl(first_rec_tbl.count,0) loop
    26              dbms_output.put_line('first_rec_tbl(' || j || ').ename = ' || first_rec_tbl(j).enam
    e);
    27              dbms_output.put_line('first_rec_tbl(' || j || ').sal = ' || first_rec_tbl(j).sal);
    28            end loop;
    29            close firstquery;
    30          end loop;
    31      end;
    32  end;
    33  /
    reached second begin
    inside loop of second begin
    act_put_str_tbl(1) = S%
    first_rec_tbl(1).ename = SMITH
    first_rec_tbl(1).sal = 800
    first_rec_tbl(2).ename = SCOTT
    first_rec_tbl(2).sal = 3000
    inside loop of second begin
    act_put_str_tbl(2) = %L%
    first_rec_tbl(1).ename = ALLEN
    first_rec_tbl(1).sal = 1600
    first_rec_tbl(2).ename = BLAKE
    first_rec_tbl(2).sal = 2850
    first_rec_tbl(3).ename = CLARK
    first_rec_tbl(3).sal = 2450
    first_rec_tbl(4).ename = MILLER
    first_rec_tbl(4).sal = 1300
    inside loop of second begin
    act_put_str_tbl(3) = KING
    first_rec_tbl(1).ename = KING
    first_rec_tbl(1).sal = 5000
    PL/SQL procedure successfully completed.
    SQL> SY.
    Edited by: Solomon Yakobson on Dec 27, 2008 12:32 PM

  • Parametrized BIP report integration on OBIEE 11g dashboard

    HI Experts,
    I have created BIP Report using SQL as source for my Dataset in Datamodel.Also, the report is parametrized with date value.
    SELECT * FORM EMP
    WHERE DEPT_NO=:DEPT_NO
    AND HIRE_DATE<=:FROMDATE
    AND HIRE_DATE>=:TODATE
    DEPTNO : List of value (Select DEPTNO  from DEPARTMENTS) and the Parameter is created as Menu type
    FROMDATE: List of vale(select day from Date_table) and the parameter is created as Date type
    TODATE: List of vale(select day from Date_table) and the parameter is created as Date type.
    The Report is working fine in BI Publisher portal.. Now I want to integrate this report onto the dashboard. For, that I have created 3 dashboard prompts (column prompts) and set the values to presentation variables DEPT_NO and FROMDATE and TODATE respectively...
    Now when I run my dashboard after choosing all the prompts the report is not getting generated. Instead, it is throwing below error.
    oracle.xdo.XDOException: java.lang.reflect.InvocationTargetException.
    I don't have an idea what is causing this issue and  i verified LOG Viewer form Enterprise manager.. But, no use.. I couldn't figure out the issue..
    Can any body help me how to resolve this issue..
    Regards
    Ramarao

    Hi Ramarao,
    There's many possible reasons why you're getting the error 'oracle.xdo.XDOException: java.lang.reflect.InvocationTargetException'. Because it's an XDO error, I'm stewing more towards your template that you're using.
    I would propose the following:
    print the whole error that you retrieved
    Change the SQL script from * to the specific column names and ensuring that maps correctly to your template
    Hope this gets the ball rolling and one step closer to resolving the issue
    Regards,
    Daniel

  • Problems when creating a new parameter for a parametric role

    I'm trying to create a new parameter for a parametric role, but it seems that it is never updated, because the BPM engine does not return any error.
    The scenario is: I have a process that has the role "Brands_Admin", the brands are populated by Web Service dynamically, then the parameters of the role would be those brands. In this case, if a new brand is registered (WS returns a new brand), I simply create a new parameter for the role through the "process administrator" of the BPM Enterprise.
    I'm trying to create the new parameter as follows:
    dirSession                 = DirectorySession.currentEngineSession;
    dirOrganizationalRole       = DirOrganizationalRole.fetch(session : dirSession, id : "Brands_Admin");
    String[] parametricRoles       = dirOrganizationalRole.parametricValues;
    parametricRolesCount      = parametricRoles.length();
    parametricRoles[parametricRolesCount]      = "NEW_BRAND";
    dirOrganizationalRole.parametricValues      = parametricRoles;
    dirOrganizationalRole.update();
    dirOrganizationalRole.refresh();
    for (int i=0; i<dirOrganizationalRole.parametricValues.length(); i++) {
         logMessage(dirOrganizationalRole.parametricValues);
    In the code above, the BPM Studio will print the new parameter correctly, but in next activity (like a Screenflow) when I try to get the parameters of that role again, there are only the parameters that were registered using the BPM Studio, the parameters that are created programmatically not appear.
    Anyone know the reason?
    An user with the same problem: http://forums.tangosol.com/forums/thread.jspa?threadID=839253&tstart=1

    When a project that contains this logic to create a new parameter for a parametric role programmatically is deployed in BPM Enterprise, some strange behaviours occurs.
    The first is that I cannot see through the process administrator the new parameter that was created for the parametric role.
    The second is that if I create this new parameter through process administrator and associate an user to the role that contains the new parameter I cannot access the deployment process. In workspace (authenticated with user that is associated with the role that contains the new parameter) I cannot see anything about the process.

  • Bapi parametrs to be passed in bapi_salesorder_change to change quantity

    Hi,
    how to change quantity of sales order by using bapi_salesorder_change.
    kindly Help us... to solve this Issue....(bapi parametrs to be passed in bapi_salesorder_change to change quantity)
    regards
    sathish Kumar.

    pass the updateflag = U
    pass the posnr,qty,mat in the item and pass the itemx= 'X' to these fileds.

  • Parametric SQL in JDBC sender

    Hi All,
    Is there a way to submit SQL statement with dynamic parametr to the JDBC sender?
    I need to get the current date of the PI machine and use it in the  "where" cluase of the "Query SQL Statement" dynamically in the "Proccessing" tab of the JDBC sender
    Thanks,
    Ranny

    What I can do is , Suggest you a way for your reqt.
    Create a Synchronous  Scenario ....
    Sender   ->    XI    ->    Receiver(JDBC) will Give Response on the basis of your query
    On Receiver (JDBC) Side , create `your query like your reqt with Date parameter in mapping Tranformation.
    Regards
    Prabhat Sharma

  • Grab In A Parametric Role

    Hi All
    I'm using BPM to run a business flow using Oracle BPM Studio.
    One of the roles I'm using in the process is a Parametric Role.
    I need to use a Grab activity in this parametric role, but I got an error that I can't use a Grab activity in a parametric role.
    Does anyone familiar with this problem?
    I need to give some permissions to that role, and I don't want to use the Grab's API.
    Thanks
    Arik

    Guessing I'm just confirming what you already know, but there are a couple activities that cannot be placed in a parametric role. Grab is one and a Global Interactive is the other.
    It's not a bug, but I've never quite understood the rationale for not allowing a Grab in a parametric role either.
    Describe your use case and perhaps we can all brainstorm another design pattern that will work.
    Dan

  • How to use Parametric Roles in BPM 11g ?

    Hi Experts,
    How do I use the "parametric roles" in the Oracle BPM 11g?
    I want to use this concept of subroles but could not do this in the BPM 11g.
    Has anyone used and can help me or pass me an example?
    Thanks.
    Leo.
    Edited by: user13269730 on 07/06/2010 13:21

    Ditto here too... looking for an example of how to set this up.
    Here is a scenario:
    I have multiple application roles setup:
    PM - city a (bunch of users)
    PM - city b (bunch of users)
    PM - city c (bunch of users)
    PM - all (has all 3 PM roles and is used as the security to the swimlane).
    I have a business requirement where the PMs (Project managers) should only be able to see and do work ONLY for their city. I have a metadata of 'city' but don't know how to setup an assignment based on this in the human task.
    How does one setup a complex task?

  • Parametric roles in Oracle BPM 11g

    Hi all!,
    For all of us that was asking how to do the parametric roles in Oracle BPM 11g, here´s how to do it, hope it helps.
    Regards!!
    Z3uV4k
    https://docs.google.com/file/d/0B7YrnfO7h717M2U1MTlmMmEtZjI3Mi00ZTNhLWFhNTQtYzkyZjc5OGI5Y2I4/edit?pli=1

    Might also want to look at a blog post I wrote based on an idea Arun Pareek came up with.  (click here)
    The differences are (1) that this lets you assign parametric roles to groups or application roles instead of individual users making them simpler to maintain and (2) IMO it's a lot easier to do using this technique.
    Dan

  • Using variable values form parametrized URL in Customer Exit in i_step = 1

    Hello BW experts,
    I call a parametrized URL to a Web Template that has a Query with the variable VAR1:
    http://XXX?...&CMD=LDOC&template_id=TEMP1&VAR_NAME_1=VAR1&VAR_VALUE_EXT_1=2006
    Then I try to access the value of VAR1 in i_step = 1 in the Customer Exit for BEx variables in order to determine the value for a customer exit variable VAR2:
    WHEN 'VAR2'.
        IF i_step = 1.
          READ TABLE i_t_var_range INTO var_range
            WITH KEY vnam = 'VAR1'.
          fl_var_range-sign = 'I'.
          fl_var_range-opt = 'EQ'.
          fl_var_range-low = *some operation with var_range
          APPEND fl_var_range TO e_t_range.
        ENDIF.
    The problem is that VAR1 contains either the default values (if the variable is set to have default variables) or is empty (if there are no default variables defined). It does not retrieve the value in the URL in the Customer Exit, but displays it correctly in the variable screen.
    Is there any way I can acces the URL parameter in the Customer Exit?
    Thanks for any answers in advance.
    Michael

    Gili,
    thanks for your answer. The problem was, though, that the first value determines the behavior of the variable screen by setting the value of a customer exit variable.
    My goal was to have two variable screens. In the first a date is chosen and in the second a node of a time-dependant hierarchy is chosen. If one enters the date in the same screen as the hierarchy, the valid hierarchy for the date is not displayed.
    I solved the problem now in following way:
    <b>1. Saving the value in SAP Memory as a parameter.</b> The parameter has to be defined in SE80. A Dummy Web Template with a query on the same Infoprovider with just the two InfoObjects (Year/Month) displays a variable screen for Month/Year. In addition there is a Dummy Customer Exit variable that is needed in order to pass the variable values (month/year) into SAP Memory. Using JavaScript in the Dummy WebTemplate the second Web Template with the actual query is called without displaying anything else than the variable screen.
    WHEN 'DUMMY_CUSTOMEREXIT_VAR'.
        data: w_date like sy-datum
        IF i_step = 2.
          READ TABLE i_t_var_range INTO var_range
            WITH KEY vnam = 'VAR1'.
        do your peration
        i.e.  w_date(4)+2 = var_range-low.
                 w_date(6)+2 = var_range-high.
          SET PARAMETER ID 'ZBW_PARA1' FIELD w_date.
        ENDIF.
    <b>2. Retrieving the value from SAP Memory</b> Before displaying the variable screen, the chosen date is retrieved from SAP Memory and used to set the date for a customer exit variable for the hierarchy validity date.
    WHEN 'VAR2'.
        IF i_step = 1.
          GET PARAMETER ID 'ZBW_PARA1' FIELD w_date.
        do some operation with     
          APPEND fl_var_range TO e_t_range.
        ENDIF.
    It is quite a comlex construct, but it works....

  • Parametric View Issue

    Hi,
    I have a project where I want to put a Parametric View.
    One of the project variables for this view is a date that is not established in the first step of the process so until that point where it is established it is null. In the parametric view I have a between condition based on this date. My expectation was that the requests with the date to null would come when applying the filter, in other words if it is null the condition is not consider in the filter, but they do not appear.
    I do not know if this is how it is supposed to work or it is a bug.
    If it is not a bug has somebody else faced this problem and has a solution for the same?
    Thank you very much
    Kind regards

    Hi,
    Even I tried to enable the check box "Is Parametric" in my custom view on cerain fields , but it doesn't seem to get me the results when I apply them in my Inbox. I'm confused if this is bug in my version (Version: 10.3.1.0) or am I missing something.
    Regards,
    Sri lakshmi.
    Edited by: Sri Lakshmi on 09-Jun-2010 02:36

  • Want to Schedule Parametric BO Report based on Country

    Hi,
    I Want to Schedule Parametric BO Report based on Country promt which we need to passs dyanamically.
    Pls let me know if any possible option is avilable through BO XI R2?
    Thanks in advance.
    Prabhat
    Edited by: prabhat2009 on May 21, 2009 6:20 AM

    Hi Prabhat,
    Yes we can passing parameter dynamically to reports and schedule.
    if you are using Crystal Reports then go to
    http://devlibrary.businessobjects.com/BusinessObjectsXIR2SP2/en/devsuite.htm
    BusinessObjects Enterprise SDK
         Java developer guide
             Tutorials    
                Client and Admin Desktop Tutorials
                    How to schedule a report containing specific parameter values.
    For Webi and Desktop intelligence
    Report Engine SDK  which is used to set the prompt values and BusinessObjects Enterprise SDK for scheduling
    Thanks,
    Praveen.

  • Adding parametric value to role programmatically

    I would like to add a large number of parametric values to a parametric role and I have tried the following code to do so:
    String sql = "Select distinct majorcode from GS_Contacts";
    Fuego.Lib.Role rl = Role.find(name:"GS_Department");
    if(rl != null){
              foreach(row in DynamicSQL.executeQuery(sql, externalResource))
                   String param = row[1]+"";
                   logMessage(param);
                   rl.addParameter(param);
    }In studio I get an error: Role 'GS_Department' could not be updated to this server. Reason: 'Invalid process definition. Trying to add a role (organization:GSE, commonName:GS_Department:180001GC) and the field Identification Number cannot be null.
    And in Weblogic, I get no error, but the values are not added.
    I need to do a one-time load of 260 values, and then make the editable later (adding and deleting from this initial list).
    Thanks in advance.

    Hi Shannon,
    The Fuego.Fdi.DirOrganizationalRole has an array parametricValues that you have to manipulate in order to add or remove parameters to that role, after manipulating it call the methos update().
    The Fuego.Fdi.DirHumanParticipant has an array rolesAssignment of type Fuego.Fdi.RoleAssignment that you have to manipulate to add or remove role assignments to a participant, the after call update() for the DirHumanParticipant.
    HTH

  • Parametre from html code

    Its my first week in applet so i was trying 2 take a parametre from the html code and then 2 take this parametre and put it as a color ex:
    <APPLET code="xxxx.class" width=200 height=200 >
    <param name ="name1" value="green"/>
    and then in the java code i need 2 set this parametre as a color ex:
    g.setColor(Color.?);
    ?= the color in the parametre name
    how can i do this ?

    The following snippet of code assumes that the permissible values
    for the applet parameter "name1" are hexadecimal RGB values.
    "0xFF0000" would be red.
    "0x00FF00" would be green.
    "0x0000FF" would be blue.
    String s;
    Color c;
    // get the applet paramter from the html file
    s = getParameter("name1");
    try
        int aR, aG, aB; // RGB-Values
        aR = Integer.valueOf(s.substring(2,4),16).intValue();
        aG = Integer.valueOf(s.substring(4,6),16).intValue();
        aB = Integer.valueOf(s.substring(6,8),16).intValue();
        c = new Color(aR, aG, aB);
    catch( Exception e )
        c = new Color(0x00, 0xFF, 0x00);
    g.setColor(c);

  • Cascading of multivalued parametrs in SSRS

    Hi,
    I have a report with 3 multivalued parameters e.g. A,B,C. Parameter C is requiredto be dependant on the either on thevalue of parameter A or on the value of parameter B. I am not able to find out a way to achieve this, however I have already tried couple
    of things,
    1. Created a stored procedure with a @paramoption input parameter, @paramoption evaluates the query on either the field corresponding to param A or param B and it works fine.
    2. Now the problem I am faing is at SSRS level, what I am trying to do is to pass either of the values from parameter A/B in the dataset configuration. I wrote an expression like below but it doesn't work as expected.
    IIF(RTRIM(Parameters!.A.Value)="",Parameters!.B.Value,Parametrs!.A.Value) {Please ignore syntax errors here because I have typed the script here and not copied it from SSRS}.
    After doing all this when I run the report, Parameter C is disabled until I select a value for Param A and B.
    Please help.
    Regards
    Mohit

    Hi Mohit,
    According to your description, you create three parameters in the report. You want third parameter enabled when selecting first parameter or second parameter.
    In Reporting Services, when we create a cascading parameter which depend on two parameters, the cascading parameter can be enabled after checking both two parameters. As we tested in our environment, though we specify the where clause with “ or “ logical
    operator, the cascading parameter still disabled until two parameters are checked. So in your scenario, please provide some simple data for our analysis.
    If you have any question, please feel free to ask.
    Best regards,
    Qiuyun Yu
    Qiuyun Yu
    TechNet Community Support

Maybe you are looking for

  • How do I stop mavericks from looking for an old server and nagging me that it can't find it?

    MacBook Air running OS X 10.9.4 Had it set up to connect to my main iMac for shared files.  Wife complained that when my iMac wasn't on the MacBook constantly nagged her with a message saying it couldn't connect to the server (my iMac). Removed shari

  • Queries on AlwaysON

    Hi: I have some queries. - Can I failover 1 database out of 'N' databases in an availability group. - Is it possible that out of say 5 dbs in an availability group 2 are on server1 and 3 are on server 2, as in the case of mirroring. - My client requi

  • Digital Signature and Encryption using IAIK

    What support does Netweaver provide for Digital Signatures and Encryption. Does it use IAIK for implementing security. It will be good if somebody could give some starting points.

  • Protected Mode and incompatable system configurations

    After installing Adobe Reader 11.0.3 I get a message screen concerning "Protected Mode and incompatable system configurations". The screen gives me three options to continue, selecting any of these options still does not allow me to open any PDF. I'm

  • My 27" iMac does not turn back on.  No sound, no nothing.

    I shut down my MAC and unplugged it. When I plugged it back in, it would not turn on. I was having problems ejecting a disk and my final solution was shutting down completely.