Workbook - Import & Export authorization

Hi ,
I wanted to apply OSS Note "592918 - Error message "Workbook storage fault: " during opening".
Start role maintenance transaction (PFCG)
2. Select role
3. Choose "Change" button
4. Select tab "Authorizations"
5. Choose "Change authorization data"
6. Choose "+ manually"
7. Enter "S_GUI" as "authorization object"
8. Expand "Authorization for GUI activities"
9. Under "Activity", select at least "60" (import) and "61" (export)
What is the implication of choosing only Activity 61 in the role ?
Does it mean we can only View the workbook without change/saving the workbook?
I want to have only a display mode.
Appreciate anyone who could confirm on this.
Thank you.
Regards,
Maili

Hi,
Manage to resolve.

Similar Messages

  • Export Authorization schemes either in 4.0 or 4.1

    Hi all,
    I would like to export authorization schemes of an app. and import it in another env. I don't expect to create authorization schemes in env. like production. So, the required schemes are created in say for e.g. in dev and get exported just the schemes without being exported the whole app.
    Is there anyway in either apex 4.0 or 4.1? If not, Is there any work around?
    Thanks in advance
    movva

    Hi,
    You can export , but I have not managed import those to different app.
    I get
    These components were exported from a different application or from an application in a different workspace. The components cannot be installed in this application.Workaround is export whole app and import it to workspace where is app where you like copy authorization schemes.
    Then in target app go create new authorization schema and select As a Copy of an Existing Authorization Scheme. Then select from witch app you copy schema.
    When you have copy all needed drop source app.
    Regards,
    Jari
    http://dbswh.webhop.net/dbswh/f?p=BLOG:HOME:0

  • Import/Export xls Error

    Hi,
    I'm facing a problem with import/export xls files.
    Once I selected the file the system doesn't return any response even if the file has very small size (about 70 KB).
    It happens both from workbench and web.
    Furthermore I can't to export something to Excel (I.e. the categories)
    Any suggestion about it?
    Thank you

    Import XLS:
    Make sure the ups* range in your XLS workbook is defined to include all rows you want to import, including the two header rows.
    Please also be aware that XLS Import only adds records and does not update/overwrite what's already in there. If you want to change mappings/periods etc., you need to delete these records first and then add them again.
    Export to XLS:
    Your settings for export sound ok. Maybe there's an issue with the MIME Types on the web server - but I'm not too familiar with that, maybe someone else has an idea on this.
    If you export to XLS a file should be created in Outbox\Excel (not during import, just want to make sure I'm clear on this).
    Regards,
    Matt

  • Selective excel table import/export

    I need to run an SQL script that will selectively (select * from <TABLE> where <"TransactionRunDate" older than 6 months from SystemDate>) remove all rows from three table and simultaneously write them into excel sheets. Then, I need an SQL script that can restore the data from these Excel tables into the Oracle tables (on demand)
    How can I do this without right clicking import/export on the GUI (SQLDeveloper), but with SQL script alone?
    Edited by: user10403078 on Oct 7, 2008 11:32 PM

    I would half agree with daniel and half not agree.
    You can't but you can. As for whether you should is a different matter.
    I say you can because it's possible to do something like you are looking for. You could even get it to write out Excel workbooks with worksheets using Microsofts office XML format and then use an ODBC connection to read the data back again into an Oracle database using Heterogeneous services, but it's complicated and not easily demonstrated with what little time I have.
    However, an alternative is to write the data out to CSV files and then use External tables to read those CSV files back again. Example...
    Firstly, here's my table with some data in it, some of which is more than 6 months old...
    SQL> select * from table1;
            ID CREATED_DATE        TXT
             1 13/12/2007 09:31:08 Old Fred
             2 01/02/2008 09:31:08 Old Bob
             3 22/03/2008 09:31:08 Old Jim
             4 11/05/2008 09:31:08 Young Fred
             5 30/06/2008 09:31:08 Young Bob
             6 19/08/2008 09:31:08 Young Jim
             7 08/10/2008 09:31:08 New Me
    7 rows selected.Now, I create a DELETE trigger on that table so if any rows are deleted this will fire. To allow for rows less than 6 months old to be deleted without being archived to file I put a check in the trigger too...
    SQL> ed
    Wrote file afiedt.buf
      1  create or replace trigger trg_del
      2  after delete on table1
      3  for each row
      4  declare
      5    v_dir  VARCHAR2(30) := 'TEST_DIR';
      6    v_file VARCHAR2(30) := 'table1_archive.csv';
      7    v_fh   UTL_FILE.FILE_TYPE;
      8  begin
      9    IF months_between(sysdate, :OLD.created_date) >= 6 THEN
    10      -- Only archive a deleted row if it's greater than 6 months old
    11      v_fh := UTL_FILE.FOPEN(v_dir, v_file, 'a', 32767);
    12      UTL_FILE.PUT_LINE(v_fh, TO_CHAR(:OLD.ID,'fm9999')||','||TO_CHAR(:OLD.CREATED_DATE,'YYYYMMDDHH24MISS')||',"'||:OLD.TXT||'"');
    13      UTL_FILE.FCLOSE(v_fh);
    14    END IF;
    15* end;
    SQL> /
    Trigger created.So now, I have a trigger that will write deleted rows of data out in CSV format to a file called table1_archive.csv.
    Now I can create an external table that can read that CSV file...
    SQL> ed
    Wrote file afiedt.buf
      1  CREATE TABLE table1_archive (
      2         id            NUMBER,
      3         created_date  DATE,
      4         txt           VARCHAR(200)
      5         )
      6  ORGANIZATION EXTERNAL (
      7    TYPE oracle_loader
      8    DEFAULT DIRECTORY TEST_DIR
      9      ACCESS PARAMETERS (
    10      RECORDS DELIMITED BY NEWLINE
    11      BADFILE 'bad_%a_%p.bad'
    12      LOGFILE 'log_%a_%p.log'
    13      FIELDS TERMINATED BY ',' OPTIONALLY ENCLOSED BY '"'
    14      MISSING FIELD VALUES ARE NULL
    15      REJECT ROWS WITH ALL NULL FIELDS
    16        (id
    17        ,created_date date "yyyymmddhh24miss"
    18        ,txt)
    19      )
    20      LOCATION ('table1_archive.csv')
    21    )
    22  PARALLEL
    23  REJECT LIMIT 0
    24* NOMONITORING
    SQL> /
    Table created.
    {code}
    And now we can prove it works...
    Firstly, delete rows from the table that are 6 months or more old...
    {code}
    SQL> delete from table1
      2  where months_between(sysdate, created_date) >= 6;
    3 rows deleted.
    SQL> select * from table1;
            ID CREATED_DATE        TXT
             4 11/05/2008 09:31:08 Young Fred
             5 30/06/2008 09:31:08 Young Bob
             6 19/08/2008 09:31:08 Young Jim
             7 08/10/2008 09:31:08 New Me
    {code}
    So those rows have been deleted, now let's check they're in the archive CSV file...
    {code}
    SQL> select * from table1_archive;
            ID CREATED_DATE        TXT
             1 13/12/2007 09:31:08 Old Fred
             2 01/02/2008 09:31:08 Old Bob
             3 22/03/2008 09:31:08 Old Jim
    SQL>
    {code}
    There they are, and that CSV file can also be read by Excel if required.
    Let's just check that we don't archive rows that are deleted if they are less than 6 months old...
    {code}
    SQL> delete from table1 where id = 6;
    1 row deleted.
    SQL> select * from table1;
            ID CREATED_DATE        TXT
             4 11/05/2008 09:31:08 Young Fred
             5 30/06/2008 09:31:08 Young Bob
             7 08/10/2008 09:31:08 New Me
    SQL> select * from table1_archive;
            ID CREATED_DATE        TXT
             1 13/12/2007 09:31:08 Old Fred
             2 01/02/2008 09:31:08 Old Bob
             3 22/03/2008 09:31:08 Old Jim
    SQL>
    {code}
    So that row was deleted without being archived.  Just what I intended.

  • User Form Settings Import/Export ?

    Hello Fellow SAP members,
    I am currently creating new user accounts for my company and I have 100++ users to set settings for...the columns they can see...the authorizations they are given etc etc.
    Its an extremely tedious task to do which will take me days to complete and i was wondering is there a import/export function where i can copy and paste the settings for a new user instead of having to go through each and everyone's accounts just to set it?
    Any help or suggestions would be MUCH appreciated!

    Check this link
    [http://www.sbonotes.com/2008/03/how-to-copy-one-screen-layout-to.html]

  • Questions on Subviews and Import/Export in Data Modeler v3 EA1.

    I have a few questions about the capabilities of Data Modeler v3 EA1:
    1) Is it possible to rename subviews? Would like more meaningful names then Relational_x - Subview_x.
    2) Is it possible to save documents at subview level?
    3) Is it possible to import/export subsets of data?
    4) Having problems importing Erwin 7 .xml file, is there known problems with this import?
    Judy

    Hi Judy,
    1) To rename a subview just right click on it in the browser tree and select "Properties". In the properties dialog change the name and click OK button.
    2) You can save a subview as new Data Modeler design - from the File menu select Export -> To Data Modeling Design. In the newly opened dialog select the subview you want to export and click OK button.
    3) After saving a subview as new design (see answer #2) it can be imported in some other design (File -> Import -> Data Modeler Design).
    4) What kind of problems do you have with import of Erwin 7.* xml file?
    Regards,
    Ivan

  • How to import/export data in pl/sql developer

    how to import/export data,table script in pl/sql developer.
    By using the export functionality i am getting the dump file.I want a sql file.How do i do it?
    And i want the data in csv file and table script in a sep sql file.How do i do it?

    <li>run your query in "Query Builder"
    <li>Right-Click on the Query-Results
    <li>Click "Export"
    <li>Click on the "Drop-Down" in front of "Format" and choose "insert"
    <li>Provide the location and name of ther "sql" file.
    If you want output in CSV format, choose "csv" from the "format" drop-down.
    HTH

  • Getting an error while importing/exporting the universe from my BO Designer

    Hi,
       I am facing a issue while importing/exporting the universe from my BO Designer to the Server.The error is mentioned below.
       'File Repository Server Input is down'
       Once I click the OK button on this error message, it displays  the message
       'Could not import the Universe'.
      I tried the check the status of the File Repository Server (Ouput and Input) and also the of the Root Directory on the  Physical Server and also my machine.They all have read-write access.
    Installed Version of the Universe Designer Client: Business Object XI Release 2 SP3
    Installed Version of the BO Enterprise Server: Business Object XI Release 2 SP2
      Can you please help me to resolve the issue

    Hi,
       The step you have mentioned may not be applicable to my issue as one of my colleagues can import/export the universe from the same server
    The second thing is that a DB2 Client v9 is installed on both mine and my colleagues system.The Designer software can recognise the DB2 drivers on his system but it cannot recognise the same drivers on my system.I even checked the versions of the BO software installed on his and my system and they are same.
    The only difference is that his machine is a Windows XP Machine and mine is a Network Desktop.
    Will any of the above two things will affect the operation of the BO Designer.
    Thanks
    Prabhakar Korada

  • Attunity connectors for Oracle in Import Export Wizard in SQL Server 2008 R2

    Is there a way we can see the Attunity connectors drivers in the Import/Export Wizard (64 bit) for SQL Server 2008 R2?
    Although I made it work for SSIS, I would need these drivers in the Import/Export wizard so as to automate it for numerous number of tables which I want to migrate.
    Can the Attunity connectors for Oracle be used in the Import/Export wizard? If so please let me know.
    Regards,
    Ashutosh.
    Ashutosh.

    I have 100 tables to migrate. Creating a data flow for each table is tedious and that's why I was looking out for a way to do it through import export wizard so that I don't have to create a separate data source and destination for each table in the Data
    flow Task.
    Is there a way to loop through all tables and transfer data in SSIS without having multiple sources and destinations created for each table? This also involves a bit of transformation as well.
    Regards,
    Ashutosh.

  • IMPORT/EXPORT statement in Background Mode

    Hey dudes,
    I am facing a problem in my coding. I am dealing with coding in several events in IS-U, transaction FPY1.
    However, it's not so important ya. Now I am written some code on IMPORT and EXPORT some parameters between 2 program code. It's work very fine only in 'DEBUG MODE', but when it's running not debug mode (Is BACKGROUND MODE), coz it's massive run program.
    I suspect it's because of the background job. Does background job using ABAP Memory? IMPORT/EXPORT is only for dialog work process, not background work process?? I have a lot of question mark on my head now..
    Hope anyone facing dis issue before can help.
    Cheers,
    Isaac.

    Are you trying to pass data via EXPORT/IMPORT between two programs that are both running in background, or from an online session to a background process?... i.e. what are the two lots of program code that you are wanting to pass parameters between? 
    It would be fine for a background program to "export" data to a memory ID, then for the same batch program to submit another program that does the "import" from the same memory ID... but this method won't work for an online user doing an "export" and a batch job doing an "import" -> for this to work, you would need to persist the parameters so that the batch job can retrieve them.
    If you can explain the scenario a bit more, will try to offer more help...
    Jonathan

  • Import & Export of Internal table

    Hello All,
    In my requirement I need to call the MB5B program RM07MLBD. I used the code like this.
    SUBMIT rm07mlbd AND RETURN
                WITH matnr   IN  so_matnr
                WITH werks   IN  so_werks
                WITH datum   IN  so_budat.
    Now from the RM07MLBD program I need the get the values of the table * g_t_totals_flat * to my zprogram.
    Is it possible to import & export the Internal table from one program to other.
    Regards,
    Anil.

    Hi,
    You can export the internal table ot memory id and can access the (Import) in the called program.
    Consider this small code from ABAPDOCU.
    DATA text1(10) TYPE c VALUE 'Exporting'.
    DATA: itab TYPE TABLE OF sbook,
          wa_itab LIKE LINE OF itab.
    DO 5 TIMES.
      wa_itab-bookid = 100 + sy-index.
      APPEND wa_itab TO itab.
    ENDDO.
    EXPORT text1
           text2 = 'Literal'
      TO MEMORY ID 'text'.
    EXPORT itab
      TO MEMORY ID 'table'.
    Regards
    Bikas

  • ABAP command IMPORT/EXPORT

    Hi!
    I would like to know whats the replacement for the IMPORT and export commands used in 4.7c  in ECC6. Can anyone tell me whats the replacement commands for import and export command that is used in abap/4 4.7c for ECC6.
    Thanks

    Hi Aarav,
    there is nothing like replacement for import/export.there is another statements to transferdata which are Set/Get.
    when you are working with sap you have sessions.so in between session if you want to transfer data then you will use set/get parameters.import/export are used within the session.means you opened se38 and written a program and then go back to se38 initial screen and entered another program name and in that program you want the data which is in the previous program you have written in the se38 in same session.
    reward points if helpful.

  • How i can write a plug in for ai cs6 in c# for import/export of web type document

    can i write a plug in c#(or any other language) for import/export  a screen of the adobe illustrator cs6 in html (or any other format) if document of web type.

    If I understand you correctly, yes, you could write a plugin that imported an HTML file into Illustrator. You could also write one that exported to HTML. I'm not sure how easy it would be, and you won't find any HTML parsing help in the Illustrator SDK, but it's quite easy to create artwork with the SDK.

  • Application import/export failing, hopefully a simple one though

    hi all,
    i'm very new to oracle and am trying to get going with xe. i'm working between work and home and want to be able to transport wherever i'm at to work/home - so i thought the application import/export function would be the best way? first of all, is it?
    if so - i keep getting the
    failed to parse SQL query:
    ORA-00942: table or view does not exist
    error
    i'm running the same versions of oracle, on the same platforms (Application Express 2.1.0.00.39, winXPpro all service packed up). both my users have dba roles and the apps work fine on the machines i created them on. the import and install processes claim to be successful and the error only comes up when i try to log in to the application. any ideas?
    btw - the apps are just simple tests, dependences etc with a couple rows in each table]
    any help be much appreciated even if its "go read this!" as i've googled away & got not much....
    cheers!

    Your problem is likely that in your office you do not have the tables required by your program. The export does not include your tables. You have to create them yourselves

  • Regarding Workflow 2.6.2 backup/migration/import/export

    hi folks. i m quite amazed that this forum does not provide any answer to the question of taking backup of workflow 2.6.2 or import/export of owf_mgr schema. if one cannot take backup how this oracle workflow is stable. how this product is suitable for any organization. its a very basic requirement. ok its about processes and states.... but, even then i cant get the logic of not taking a backup. sometime we have to move data across servers
    the only answer that i have seen for this is way back jan-09-2003 that its not possible yet. its now 2006 any one who can guide may be i got something or many a things wrong.

    hi folks,
    thanks for reply
    Matt: considering ur statment para what i get for para 1
    Full backup is fine - although there are some objects which are owned by SYS, as long as youare going from one database with WF installed to another one, you should be OK.
    is
    what i understand that u are talking about taking backup of entire database and not of just owf_mgr from export utility. if this is the case then do i really need to have owf_mgr user/schema installed where i have to import that backup
    Secondly for Para 2
    Runtime data is a different thing altogether, although I can't really see why you would want to migrate the runtime data from one DB to another.
    what i get from ur description of Runtime data here, is about the data that represents different process states relavant data which is stored and maintained in different tables. Am I Right?
    if the answer is yes then the answer to ur question (asked in the last line of ur statment) is that i dont want only runtime data to be exported rather i wanna export full user and its schema. and the reason from moving it from one server to another server is simply to have backup for the time of system crash or failiure
    I am keenly anticipating ur reply

Maybe you are looking for

  • Can print one time, next time locks up on spooling to printer... 8.1 64 bit, M476dw

    Bought a M476DW about a month ago. Hooked it up to the network and installed the drivers on several machines and everything worked fine. Then last week had to re-install 4 of the laptops - just did a reset and reinstalled... Windows 8.1 64 bit, with

  • Weblogic Server 6.1 as Windows NT Service

    Hi All, I am running Weblogic Server 6.1 as Windows NT Service with one WAR Application Deployed in Production Mode. My machine is on Windows 2000 Application Server. I am facing a very strange problem with the setup. Prob 1 : Sometimes the service u

  • Blur moving object in AE CS6

    Hi: I need to blur a moving object: - The effect is only needed at some point of the video, it must appear, and then disappear, not being on screen the whole time. - The object is moving, and changing shape, the blur must adapt to it. - I've been try

  • Blocking messages for over quota users from the frontend

    Dear All, Is there a way to bounce back messages from the frontend for users who are currently over quota instead of accepting the message, then routing it to the storage mailhost and then bouncing it from there? We have multiple storage mail hosts a

  • Problems Playing the Sims 3

    Here is my issue. I used to have a late 2009 Mac book Air. Recently i have come into a late 2011 edition Mac Book Pro. I installed the sims 3 with my copy of the disk, and everything worked just fine. I played had a jolly old time. I also did not hav