Excel Import/Export in RulesManager ?

Hi ,
We do have Excel import/Export feature at Designtime. Do we have same feature at runtime in RulesManager also ?
Regards, Anil

Hi Anil
Currently Import/Export of Decision Table to Excel sheet is not available in CE 7.2. However, this is available from the 7.3 release.
Regards
Harsh

Similar Messages

  • Excel import export using Office Control

    Hi,
    We have the requirement to provide a feature like an excel uplaod and download in our UI (WD ABAP).Basically we have some WD table view and we need to collect all the data in each cell and then download the data in an excel file.Similarly we need to get the data in the Excel and fill the table view with this data from the excel.
    Is this possible through the Office Control?I checked out the examples in SIOS but my impression was that it more or less embeds office objects(excel,word etc) in Webdynpro container,but does not really get the data to be filled in an internal table.Also I am not sure whether I can download data from my WD table view to an excel file using this.
    Can anyone please tell me if there is some way to do this through an office control.If not what are the options available for me to achieve this functionality.
    Thanks and Regards
    Sourav

    Hi Sourav,
    If you use WDP ALV table, it has an 'Export' functionality which will export the contents of the table into an Excel.
    Regards,
    Wenonah

  • Another question about import/export to excel file?

    Hi, I need to know urgently if it's possible to import/export excel files from/to JSP with unpredicted number of fields each row. For example, row 1 in the excel file can have 5 columns of data, row 2 has 3 columns of data, etc...
    Does reading from excel file in JSP require that we know beforehand how many columns there are and what each column represent?

    go read http://jakarta.apache.org/poi !!!!!!
    No it doesnt. the POI api provide method to determine the number of cells in a row.

  • 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.

  • Any wifi/3g Bidirectional sync ways instead of import/export documents ?

    Is there any way or any software for mac & ipad that will do bi-directional sync using 3G/Wi-Fi instead of importing/exporting for Excel  & Pages documents?

    I do this using Documents2Go Premium and a 3rd party cloud storage app (both Dropbox and Sugarsync - although I use the former much more than the latter).

  • Excel Impot / Export in Release 7

    Has anyone seen a demo or tested the expanded import / export to Excel functionality from the web. We are waiting on our hosting company to finish deploying 7. In the meantime, the functionality has the potential of really making a significant impact with regard to how we get data into the system.
    Thanks!

    I have a standalone version of P6 Enterprise Project Portfolio Management V 7.0 installed on my computer and I am importing and exporting to/from excel happily.

  • Import/Export publishable packages using WLPI APIs

    Hi,
    I have been trying to create a utility to perform import/export of publishable
    packages. Here is the problem that I encountered:
    When creating the PackageEntry, I need to have a map of all references that a
    publishable object has, however, the method to retrieve the referenced publishables
    is no longer in the Publishable interface
    public java.util.List getReferencedPublishables( java.util.Map publishables)
    If I pass a null for the referenced publishables, then the export will work, but
    when I tried to import the package, I got the following error. Any workaround
    to the problem or is there something that I missed?
    Here is the error:
    The server was unable to complete your request.
    null
    null
    Start server side stack trace:
    Unknown error: com.bea.wlpi.common.WorkflowException: The server was unable to
    complete your request.
    null
         at com.bea.wlpi.server.admin.AdminBean.importPackage(AdminBean.java:1168)
         at com.bea.wlpi.server.admin.AdminBean_11ksof_EOImpl.importPackage(AdminBean_11ksof_EOImpl.java:301)
         at com.bea.wlpi.server.admin.AdminBean_11ksof_EOImpl_WLSkel.invoke(Unknown Source)
         at weblogic.rmi.internal.BasicServerRef.invoke(BasicServerRef.java:298)
         at weblogic.rmi.internal.BasicServerRef.handleRequest(BasicServerRef.java:267)
         at weblogic.rmi.internal.BasicExecuteRequest.execute(BasicExecuteRequest.java:22)
         at weblogic.kernel.ExecuteThread.execute(ExecuteThread.java:139)
         at weblogic.kernel.ExecuteThread.run(ExecuteThread.java:120)
    Nested exception is: java.lang.NullPointerException
         at com.bea.wlpi.server.admin.ImportManager.resolveTDReferences(ImportManager.java:787)
         at com.bea.wlpi.server.admin.ImportManager.importTemplateDefinition(ImportManager.java:659)
         at com.bea.wlpi.server.admin.ImportManager.importPackage(ImportManager.java:293)
         at com.bea.wlpi.server.admin.AdminBean.importPackage(AdminBean.java:1164)
         at com.bea.wlpi.server.admin.AdminBean_11ksof_EOImpl.importPackage(AdminBean_11ksof_EOImpl.java:301)
         at com.bea.wlpi.server.admin.AdminBean_11ksof_EOImpl_WLSkel.invoke(Unknown Source)
         at weblogic.rmi.internal.BasicServerRef.invoke(BasicServerRef.java:298)
         at weblogic.rmi.internal.BasicServerRef.handleRequest(BasicServerRef.java:267)
         at weblogic.rmi.internal.BasicExecuteRequest.execute(BasicExecuteRequest.java:22)
         at weblogic.kernel.ExecuteThread.execute(ExecuteThread.java:139)
         at weblogic.kernel.ExecuteThread.run(ExecuteThread.java:120)
    End server side stack trace
    Start server side stack trace:
    java.lang.NullPointerException
         at com.bea.wlpi.server.admin.ImportManager.resolveTDReferences(ImportManager.java:787)
         at com.bea.wlpi.server.admin.ImportManager.importTemplateDefinition(ImportManager.java:659)
         at com.bea.wlpi.server.admin.ImportManager.importPackage(ImportManager.java:293)
         at com.bea.wlpi.server.admin.AdminBean.importPackage(AdminBean.java:1164)
         at com.bea.wlpi.server.admin.AdminBean_11ksof_EOImpl.importPackage(AdminBean_11ksof_EOImpl.java:301)
         at com.bea.wlpi.server.admin.AdminBean_11ksof_EOImpl_WLSkel.invoke(Unknown Source)
         at weblogic.rmi.internal.BasicServerRef.invoke(BasicServerRef.java:298)
         at weblogic.rmi.internal.BasicServerRef.handleRequest(BasicServerRef.java:267)
         at weblogic.rmi.internal.BasicExecuteRequest.execute(BasicExecuteRequest.java:22)
         at weblogic.kernel.ExecuteThread.execute(ExecuteThread.java:139)
         at weblogic.kernel.ExecuteThread.run(ExecuteThread.java:120)
    End server side stack trace
    Unknown error: com.bea.wlpi.common.WorkflowException: The server was unable to
    complete your request.
    Start server side stack trace:
    java.lang.NullPointerException
         at com.bea.wlpi.server.admin.ImportManager.resolveTDReferences(ImportManager.java:787)
         at com.bea.wlpi.server.admin.ImportManager.importTemplateDefinition(ImportManager.java:659)
         at com.bea.wlpi.server.admin.ImportManager.importPackage(ImportManager.java:293)
         at com.bea.wlpi.server.admin.AdminBean.importPackage(AdminBean.java:1164)
         at com.bea.wlpi.server.admin.AdminBean_11ksof_EOImpl.importPackage(AdminBean_11ksof_EOImpl.java:301)
         at com.bea.wlpi.server.admin.AdminBean_11ksof_EOImpl_WLSkel.invoke(Unknown Source)
         at weblogic.rmi.internal.BasicServerRef.invoke(BasicServerRef.java:298)
         at weblogic.rmi.internal.BasicServerRef.handleRequest(BasicServerRef.java:267)
         at weblogic.rmi.internal.BasicExecuteRequest.execute(BasicExecuteRequest.java:22)
         at weblogic.kernel.ExecuteThread.execute(ExecuteThread.java:139)
         at weblogic.kernel.ExecuteThread.run(ExecuteThread.java:120)
    End server side stack trace
         at weblogic.rmi.internal.BasicOutboundRequest.sendReceive(BasicOutboundRequest.java:85)
         at weblogic.rmi.internal.BasicRemoteRef.invoke(BasicRemoteRef.java:135)
         at weblogic.rmi.internal.ProxyStub.invoke(ProxyStub.java:35)
         at $Proxy4.importPackage(Unknown Source)
         at com.worldchain.wlpiAdmin.WlpiAdmin.handleImport(WlpiAdmin.java:201)
         at com.worldchain.wlpiAdmin.WlpiAdmin.main(WlpiAdmin.java:83)
    Nested exception is: java.lang.NullPointerException
         at com.bea.wlpi.server.admin.ImportManager.resolveTDReferences(ImportManager.java:787)
         at com.bea.wlpi.server.admin.ImportManager.importTemplateDefinition(ImportManager.java:659)
         at com.bea.wlpi.server.admin.ImportManager.importPackage(ImportManager.java:293)
         at com.bea.wlpi.server.admin.AdminBean.importPackage(AdminBean.java:1164)
         at com.bea.wlpi.server.admin.AdminBean_11ksof_EOImpl.importPackage(AdminBean_11ksof_EOImpl.java:301)
         at com.bea.wlpi.server.admin.AdminBean_11ksof_EOImpl_WLSkel.invoke(Unknown Source)
         at weblogic.rmi.internal.BasicServerRef.invoke(BasicServerRef.java:298)
         at weblogic.rmi.internal.BasicServerRef.handleRequest(BasicServerRef.java:267)
         at weblogic.rmi.internal.BasicExecuteRequest.execute(BasicExecuteRequest.java:22)
         at weblogic.kernel.ExecuteThread.execute(ExecuteThread.java:139)
         at weblogic.kernel.ExecuteThread.run(ExecuteThread.java:120)

    There may be options to your process, but as I have mentioned in other strings, the Journals in the BPC for Microsoft version are sequenced.  That means that there is a system generated sequence ID for each journal.  Any individual selection of journals would possibly cause an issue for the sequence. I have not seen any past work in SSIS to detach the records for export or import.  It may be possible, but I would assume it will take some core SQL coding.
    Regarding your error, you may need to verify that you have the security set correctly to use Journals and use the Data Manager capabilities.  Typically, when security tasks are not correct, you will get an error similar to your HRRESULTX.... error.
    An option for loading the details is to build a worksheet in EVDRE, aggregate the data and send it to the cube at a level that is easy to save the file and submit consolidated results.  Just make sure you send all "like" records at an aggregated to a base member, and send to a datasrc to identify the extra details. Then store the excel file with the input values.
    Hope this helps.
    Edited by: Petar Daniel on Feb 16, 2009 10:06 PM

  • 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

  • How can I improve an Import/ Export performance?

    Hi,
    How can I improve an Import/ Export performance?
    Also any good links to learn about Datapump Please?
    Thanks,
    Felipe.

    F. Munoz Alvarez wrote:
    Dear Felipe,
    Please take a look on this excellent notes by Chris Foot about datapump:
    * http://www.dbazine.com/blogs/blog-cf/chrisfoot/blogentry.2006-06-08.1893574515
    * http://www.dbazine.com/blogs/blog-cf/chrisfoot/blogentry.2006-06-02.2786242018
    * http://www.dbazine.com/blogs/blog-cf/chrisfoot/blogentry.2006-05-26.3042156388
    * http://www.dbazine.com/blogs/blog-cf/chrisfoot/blogentry.2006-05-19.6918984141
    Notes are excellent but nowhere, in all the 4 links he talks about performance improvement. He is just discussing the concepts :(
    Amardeep Sidhu

  • Please point me in the right direction - import/export

    Hi, Our salesperson sold an application that will take demographic person info out of SAP (ECC6.0) , insert into another HR product, then take the benefits information and import it back into SAP on a regular basis.  I asked for a file specification, but got a mulit-tabbed Excel spreadsheet that has a macro that seems to export the contents into txt files (one for each tab - 0167, 0168 etc..)  Problem is, I have no other technical information for importing, such as required fields, max length, format, etc...  Just field names and some "possible value" examples for about 1/4 of them.  I have slightly better specs for the other end.  I can't seem to get the client to understand that they need to help with mapping not only fields, but value transformations (codes...) between the two systems.  Sorry, I don't know what EXHREQ (just an example) means.....   They've also sent me some export from SAP information, but the document mentions import - though I did recieve a sample from them, so I'm assuming import/export is the same spec? I also am not sure of some of the structure - SAP seems to regard dependents as Persons, with their own person record, yet the other system's input spec doesn't seem to allow for that - it looks like straight employee only information. 
    OK, after all that venting - can someone point me towards some file specs for benefit information?  I've searched and searched and see references to IDocs and such, and other things that scare the heck out of me, but are there just plain old file specs?  Can this be done?
    Thanks,
    PJP

    You can follow the same approach as mentioned here - http://forums.adobe.com/message/5592463.
    Basically, you just need to copy all and paste in place in a new site's Master page. To deselect menu from selection, just Shift + Click on it or delete it from the target page after paste.
    Thanks,
    Vinayak

  • Excel Importer for Visual Studio LightSwitch 2013

    Has anyone managed to get the 'Excel Importer for Visual Studio LightSwitch' extension working with Visual Studio 2013?

    Hi Kevin,
    I assume you mean this extension here -
    http://code.msdn.microsoft.com/silverlight/Excel-Importer-for-Visual-61dd4a90
    From what I can tell that does not yet support VS 2013.  The source code is of course available, so you could attempt to fix it up yourself and tell us the result.
    Thanks.
    We are trying to better understand customer views on social support experience, so your participation in this interview project would be greatly appreciated if you have time. Thanks for helping make community forums a great place.
    Click
    HERE to participate the survey.

  • 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.

Maybe you are looking for

  • "All of the playlists for updating no longer exist"???!!

    I created a few new playlists and deleted an old one in iTunes, and then when I plugged in my mini to update I get the message: Songs on the iPod “Kellee's iPod” cannot be updated because all of the playlists for updating no longer exist" There are n

  • QM-Delivery Inspection lot clubbing

    Dear Gurus, Is it possible to club the diiferent deliveris in to one inspection lot. For example, presently system creates 1 inspection lot per delivery. If user wants next delivery also linked to previous lot and no need of getting a new lot for the

  • Why is CREATE_OBJECT_CLASS_NOT_FOUND ?

    Dear Guru , I am facing a problem that the BADI class can not be executed in our Quality system . When user trigger the badi , it showed us below shortdump : Runtime Errors         CREATE_OBJECT_CLASS_NOT_FOUND Exception              CX_SY_CREATE_OBJ

  • OC4J hanging

    The OnlineOrders sample in Oracle HTTP Server can run perfectly with BC4J libraries in Oracle8.1.7 or Oracle9iAS 1.0.2. However, OC4J will hang when I try to run it with new BC4J libraries in JDeveloper3.2.2/3.2.3. Does this mean that OC4J only works

  • How can I turn off the blue tips that pop up every time I start Adobe Reader?

    Every time I start Adobe Reader XI, or every time I double-click a PDF file from another program, a blue bubble pops up under the "Open" portion of the toolbar that says "Easily open all your files across devices" and I cannot make it stop. I have: -