Multiple SQL Queries in SAP BPC  5.1 EVMODIFY

Hi All,
We have multiple SQL Queries in Outlooksoft 4.2 which extracts data from Oracle source system with different set of selections and conditions and parameters. We were able to use multiple SQL Queries in Outlooksoft 4.2 using Transform Data Flow Task and paste parameters using evModify dynamic script task, where ever extract to source system is needed.
According to  SAP BPC 5.1, all these multiple SQL Queries and extracts by passing parameters will be coded in EVMODIFY dynamic script editor.But, EVMODIFY dynamic script editor is not working with the sets of multiple SQL Queris.It's able to recognize and execute the first SQL Query, but not able to execute from the second SQL Query.
Does any body, did multiple extracts using SQL Queries to the source system by passing parameters using SAP BPC 5.1 data  manager and SSIS Packages, please let me know, how you did achieve the above functionality.
Regards,
Sreekanth.

Hi Sorin,
Thanks for your update, I tried declaring the variable between %%....GLOBAL(%GTIMEID%,%SELECTION%) and the package runs now but the problem is that the package is executed using the default date value for the variable GTIMEID declared in the DTSX package and its not taken the date that I'm trying to pass from BPC.  As showed below, please if you could take a look to the ModifyScript and see the last line for the global variable and line 13  PROMTP(SELECTINPUT,%SELECTION%,,,%TIME_DIM%) where I am selecting the TIMEID:
DEBUG(ON)
PROMPT(INFILES,,"Import file:",)
PROMPT(TRANSFORMATION,%TRANSFORMATION%,"Transformation file:",,,Import.xls)
PROMPT(RADIOBUTTON,%CLEARDATA%,"Select the method for importing the data from the source file to the destination database",0,{"Merge data values (Imports all records, leaving all remaining records in the destination intact)","Replace && clear data values (Clears the data values for any existing records that mirror each entity/category/time combination defined in the source, then imports the source records)"},{"0","1"})
PROMPT(RADIOBUTTON,%RUNLOGIC%,"Select whether to run default logic for stored values after importing",1,{"Yes","No"},{"1","0"})
PROMPT(RADIOBUTTON,%CHECKLCK%,"Select whether to check work status settings when importing data.",1,{"Yes, check for work status settings before importing","No, do not check work status settings"},{"1","0"})
INFO(%TEMPFILE%,%TEMPPATH%%RANDOMFILE%)
PROMPT(SELECTINPUT,%SELECTION%,,,%TIME_DIM%)
TASK(CONVERT Task,INPUTFILE,%FILE%)
TASK(CONVERT Task,OUTPUTFILE,%TEMPFILE%)
TASK(CONVERT Task,CONVERSIONFILE,%TRANSFORMATION%)
TASK(CONVERT Task,STRAPPSET,%APPSET%)
TASK(CONVERT Task,STRAPP,%APP%)
TASK(CONVERT Task,STRUSERNAME,%USER%)
TASK(Dumpload Task,APPSET,%APPSET%)
TASK(Dumpload Task,APP,%APP%)
TASK(Dumpload Task,USER,%USER%)
TASK(Dumpload Task,DATATRANSFERMODE,1)
TASK(Dumpload Task,CLEARDATA,1)
TASK(Dumpload Task,FILE,%TEMPFILE%)
TASK(Dumpload Task,RUNTHELOGIC,1)
TASK(Dumpload Task,CHECKLCK,1)
GLOBAL(%GTIMEID%,%SELECTION%)
Do you guess That I am missing something?
Thanks in advanced
Regards

Similar Messages

  • Execute multiple sql queries in plsql

    Hello All,
    I have two queries, How to execute multiple sql queries in plsql. Once the query completed in sql+ that report/output has to come in html.
    Please guide to how to do that.
    Thanks and Regards,
    Muthu
    [email protected]

    There are several ways to do what you are wanting, but you should consider posting your question in the correct forum (PL/SQL). This forum is for question about Oracle Forms! :)
    As to your question, take a look at this: How to output query results as HTML.
    Craig...

  • ORACLE SQL QUERIES  FOR SAP

    Hello All,
    Can any body give me the total SQL queries which will be used in SAP.
    Thanks&Regards,
    Praveen Kondabala

    Hi,
    If you do need that kind of information, then it is easier that you do not use any.
    > Like Oracle DBA
    you only need to read the documentation about
    1) brtools
    2) dbacockpit (I assume you have a fairly recent SAP version)
    you can find the information about this two "things" in
    SAP on Oracle

  • Executing SQL queries in SAP-GUI e.g. select * from but000

    Hallo,
    I am newbie in the SAP world. Is there a way to run select statements from SAP GUI? e.g. I want to know how many rows are returning from a join xyz.
    select count() from tabA and tabB where tabA.id = tabB.id and tabA.Name is not null.*
    Is it possible with SQVI (SQ01)?
    Please help.

    Testcase:
    SQL> create table scott.testit
         ( id number not null,
           value1 varchar2(10) not null )
         tablespace DATA;
    Table created.
    SQL> desc scott.testit;
    Name       Null?    Type
    ID        NOT NULL NUMBER
    VALUE1    NOT NULL VARCHAR2(10)
    SQL> insert into scott.testit (id,value1) values ( 1, 'Hello' );
    1 row created.
    SQL> commit;
    Commit complete.
    SQL> select * from scott.testit;
            ID VALUE1
             1 Hello
    ADD COLUMN, the old fashioned way
    SQL> alter table scott.testit add  ( ADDFIELD1 varchar2(5) );
    Table altered.
    SQL> desc scott.testit;
    Name        Null?    Type
    ID         NOT NULL NUMBER
    VALUE1     NOT NULL VARCHAR2(10)
    ADDFIELD1           VARCHAR2(5)
    SQL> select * from scott.testit where ADDFIELD1 is null;
            ID VALUE1     ADDFI
             1 Hello
    Works as expected
    Try to get NOT NULL and DEFAULT to work
    SQL> alter table scott.testit modify ( ADDFIELD1 NOT NULL );
    alter table scott.testit modify ( ADDFIELD1 NOT NULL )
    ERROR at line 1:
    ORA-02296: cannot enable (SCOTT.) - null values found
    SQL> alter table scott.testit modify  ADDFIELD1 default '000';
    Table altered.
    SQL> alter table scott.testit modify ( ADDFIELD1 NOT NULL );
    alter table scott.testit modify ( ADDFIELD1 NOT NULL )
    ERROR at line 1:
    ORA-02296: cannot enable (SCOTT.) - null values found
    No suprise so far. You would usually need to update all NOT NULL
    values to some values and you would be able to enable the NOT NULL constraint
    allthough this may run for quite a while on big tables.
    Now lets try the new stuff
    SQL> alter table scott.testit drop column ADDFIELD1;
    Table altered.
    SQL> alter table scott.testit ADD ADDFIELD1 varchar2(3) DEFAULT '000' not null;
    Table altered.
    SQL> desc scott.testit
    Name        Null?    Type
    ID         NOT NULL NUMBER
    VALUE1     NOT NULL VARCHAR2(10)
    ADDFIELD1  NOT NULL VARCHAR2(3)     <<<< BING !!!
    SQL> select * from scott.testit;
            ID VALUE1     ADD
             1 Hello      000            <<<< Default '000' is working
    SQL> select * from scott.testit where ADDFIELD1 is NULL;
    no rows selected                     <<<< NOW this might be suprising
    SQL> insert into scott.testit (id,value1,addfield1) values (2,'Bye', '000');
    1 row created.
    SQL> commit;                         <<<< Trying to compare "real" '000' with DEFAULT '000'
    Commit complete.
    SQL> select * from scott.testit;
            ID VALUE1     ADD
             1 Hello      000            <<<< Added with default
             2 Bye        000            <<<< inserted as '000'
    SQL> alter table scott.testit modify ADDFIELD1 default '111';
    Table altered.
    SQL> select * from scott.testit;     <<<< Now it gets exciting
            ID VALUE1     ADD
             1 Hello      000            <<<< WOA... How does this work?
             2 Bye        000
    SQL> set longC 20000 long 20000
    SQL> select dbms_metadata.get_ddl('TABLE','TESTIT','SCOTT') from dual;
    DBMS_METADATA.GET_DDL('TABLE','TESTIT','SCOTT')
    CREATE TABLE "SCOTT"."TESTIT"
    (  "ID" NUMBER NOT NULL ENABLE,
        "VALUE1" VARCHAR2(10) NOT NULL ENABLE,
        "ADDFIELD1" VARCHAR2(3) DEFAULT '111' NOT NULL ENABLE           <<<< No '000' DEFAULT
    ) PCTFREE 10 PCTUSED 40 INITRANS 1 MAXTRANS 255 NOCOMPRESS LOGGING
    STORAGE(INITIAL 65536 NEXT 1048576 MINEXTENTS 1 MAXEXTENTS 2147483645
    PCTINCREASE 0 FREELISTS 1 FREELIST GROUPS 1 BUFFER_POOL DEFAULT)
    TABLESPACE "DATA"
    SQL>
    Looks like Oracle is at least a whole lot more clever than I expected.
    It must have stored the first Default value somewhere else, as the documentation
    says, that the effective rows will NOT be updated (otherwise it would never work so fast).
    I need to dig into how datablocks are dumped and read.
    Just to finalize this:
    SQL> alter table scott.testit modify ADDFIELD1 NULL;
    Table altered.
    SQL> select * from scott.testit;
            ID VALUE1     ADD
             1 Hello      000
             2 Bye        000
    SQL> select * from scott.testit where addfield1 is null;
    no rows selected
    SQL>
    So the change persists even if you revert the constraint allthough the data
    should not been changed. Surely need to do a datablock dump of this.
    Need to do additional tests with indexes.
    But right now I am running out of time.
    May be someone else likes to join the expedition.
    Volker

  • Executing Multiple SQL queries in one connection

    I'm trying to do, 2 queries in a single connection to my MySQL database.
    At the moment I'm just passing a String into execute query.
    I want to do another check in the database just after I get the first query's results.
    Right now, I'm closing the connection and creating a whole new one again as it doesn't seem to work otherwise.
    Do I just need to create a new "Statement" & "ResultSet" and then do my thing within the connection brackets?
    I did that but was getting no response. Perhaps I'm missing something?
    Code to SELECT all Documentaries from the database:
    String getDocs = "SELECT * from podDir WHERE genre='Documentaries'";
        try {
          Connection con = DriverManager.getConnection("jdbc:mysql://localhost/jspod", "root", "pass");
          System.out.println("got connection");
          Statement s = con.createStatement();
          ResultSet r2 = s.executeQuery(getDocs);
          while (r2.next()) {
            out.println("<TD>" + StringUtil.encodeHtmlTag(r2.getString(1)) + "</TD>");
            out.println("<TD><A href='" + StringUtil.encodeHtmlTag(r2.getString(3)) + "'>" + StringUtil.encodeHtmlTag(r2.getString(2)) + "</a></TD>");
            out.println("<TD>" + StringUtil.encodeHtmlTag(r2.getString(4)) + "</TD>");
            out.println("<TD>Subscribe</TD>");
            out.println("</TR>");
            out.println("<TR><TD></TD><TD>" + StringUtil.encodeHtmlTag(r2.getString(6)) + "</TD>");
            out.println("</TR>");
          r2.close();
          s.close();
          con.close();
        catch (SQLException e) {
        catch (Exception e) {
        }

    Thanks ram..
    I'm now finding I'm facing a situation, however where
    I need two executions ongoing at one time.
    I need to select all listings from a directory table
    and then check if the person logged in has subscribed
    to that listing from a "Mysubs" table concurrently to
    display "You are/not subscribed to this
    listing".
    Is it possible to have two ongoing executions?Some would prefer to do all that in a single query - but then one has to be pretty good in sql for that.
    You can do the stuff with 2 or more queries too. Open a Connection, create a PreparedStatement(or a Statement) with your first query for the listings. Get the result set, hold the output in a ListingModel object. You would then close the result set and the statement and then open new ones for your second query which can be supplemented with data from the model object. Or you can retrieve the entire data and compare with the listing info in the ListingModel object. Close everything in a finally block.
    ram.

  • Multiple SQL queries in additional PL/SQL code in Report

    Hello gurus,
    I have a form in my portal populated some searching parameters and these parameters inserted into some temporary tables such as name_temp, addr_temp. And then I have a report that run based on these parameters, I have added additional PL/SQL code in the report at the time after the header was displayed. The code is as follows:
    declare
    checkname varchar2(40);
    checkaddr varchar2(100);
    begin
    select emp.name into checkname from emp
    where name = (select name from name_temp);
    select personnel.addr into checkaddr from personnel
    where addr = (select address from addr_temp);
    end;
    The problem I have is always the first SQL statement was executed, but not the second one, nor the third one. Does PL/SQL only supports one SQL statement per call? Please help. Is there a better way to handle this case?
    Thanks.
    Vince

    Hello gurus,
    I have a form in my portal populated some searching parameters and these parameters inserted into some temporary tables such as name_temp, addr_temp. And then I have a report that run based on these parameters, I have added additional PL/SQL code in the report at the time after the header was displayed. The code is as follows:
    declare
    checkname varchar2(40);
    checkaddr varchar2(100);
    begin
    select emp.name into checkname from emp
    where name = (select name from name_temp);
    select personnel.addr into checkaddr from personnel
    where addr = (select address from addr_temp);
    end;
    The problem I have is always the first SQL statement was executed, but not the second one, nor the third one. Does PL/SQL only supports one SQL statement per call? Please help. Is there a better way to handle this case?
    Thanks.
    Vince

  • SAP BPC installation - Errors during setup in the create database step

    Hi! I have a real big problem installing SAP BPC. It's a Microsoft multi-server installation.
    I've got two servers: 1) the database server with the SQL Database and Analysis Server 2) the application server with all the rest.
    I log on and I installed everything on the servers with a specific domain user: this user is administrator on both servers and even on SQL Server.
    My problem occours when I execute the "SAP BPC setup" on the application server: during the "create database" step I receive two errors:
    first error pop-up:
    Error ([SQL-DMO]This cache contains no result sets, or the current result set contains no rows.)
    second error pop-up:
    System.Data.SqlClient.SqlException: Cannot open database "ApShell" requested by the login. The login failed. Login failed for user MyDomain\MyUser
    After the SAP BPC setup:
    - in the SQL Database Engine the ApShell database was created
    - nothing for ApShell was created in Analysis Sever
    - in the Even Viewer of the database server I've got this error: Login failed for user 'MyDomain\MyUser'.
    It's very strange because if from the application server, using "SQL Server Management Studio" (always with 'MyDomain\MyUser'), I connect to the database server: I can login, create and delete databases on the SQL Database Engine and even on Analysis Server without any sort of problem.
    To complete my status, I can say you Analysis Sever is on the default port. I use SQL Server 2005 and I even tryed to reinstall it and SAP BPC but nothing change. 
    At this point I checked these two topics on this forum:
    Mulit-Server Install - Installation fails while creating AppServer Database
    Problem during BPC installation
    1) At first I tryied this solution:
    Into multiserver installation guide is specified that actually in case of multiserver environment you have to copy apshell.db9 file from installation kit into db server. Into a drive from where SQL server is able to read when you are doing restore with Management Studio.
    During the installation you have to go into advance options and to specified the path (local path from db server where you did the copy of apshell.db9).
    but nothing change: the "SAP BPC setup" problem I have still persists.
    2) Then I tryed this workaround:
    If so, you can try a "restore appset" from server manager. Rename the Apshell.db9 file (or copy it) and name it Apshell.bak
    During server manager restore, point only to the Apshell.bak file. Server Manager will tell you that webfolders and filedb files are missing, but it found the webfolders and filedb (again, only if the original bpc installation successfully created those folders)- and then it will try to restore Apshell.
    That may work in spite of whatever problem is keeping the installation program from performing the same tasks.
    but the "restore database" fails > I've got the error written in red: OLAP database - fail
    What can I do to solve the problem? If it is necessary, I can reinstall SQL Server and SAP BPC but I need to know the way to solve the setup error.
    Thanx very much in advance for your kindness if you can help me.

    Thanx very much to everyone for the kind support. Unfortunatly, my problem persists.
    - SQL server is EE.
    - I installed SQL server (including SSAS) using MyDomain\MyUser.
    - MyDomain\MyUser is windows administrator on both servers.
    - MyDomain\MyUser is SQL Server and SSAS administrator.
    - SSAS service is running under the same service account than the SQL Service. 
    - All my MSSQL services runs as Local System.
    - I'm installing SAP BPC using MyDomain\MyUser.
    - I also checked the SSAS service account specific rights to the SSAS data folders.
    SAP BPC installation still fails exactly as above (popup errors during SAP BPC setup, no ApShell etc. etc).
    In the database server, windows event viewer errors after the unsuccessful installation are:
    1) SOURCE: MSSQLSERVER
    Failure Audit: Login failed for user MyDomain\MyUser
    2) SOURCE: MSSQLSERVER
    BackupDiskFile::OpenMedia: Backup device 'MyPath' failed to open. Operating system error 5(Access is denied.).
    As regard as point 1: The Failure Audit error into the event viewer happens only during SAP BPC installation. Otherwise it is always Success Audit.
    Also, as I told you, if from the application server I connect with SQL Server console to SSAS, located on the database server, using MyDomain\MyUser: I can create delete SSAS dbs without any sort of problem.
    For point 2:
    I tried 4 differents SAP BPC installations as follows:
    - to go into advance options and to specified the path (local path from db server where I did the copy of apshell.db9).
    - to go into advance options and to specified the path (local path from application server where is the copy of apshell.db9).
    - to go into advance options and to specified the path (network path of a share folder with apshell.db9 and permissions to everyone)
    - to don't go into advance options and to don't specify the path.
    but every time nothing change: the "SAP BPC setup" problem I have during my initial post still persists. In the same way I written at the beginning of the topic.
    I don't know how to solve it.
    Edited by: Francesco Andolfi on Jan 5, 2011 6:37 PM

  • SAP BPC 7 APPSet Restore SQL 2005

    Hi Everyone,
    I have SAP BPC 7 setup in a multi-server environment, and it's working well. I created a dev environment, installed SAP in the same fashion, and now when I try to restore an app set through server manager in dev, it keeps putting the SQL DB on C instead of where it should go on I:\ .
    The original app set was using this same drive configuration, and that backup/restore works fine -
    I've gotten this to work before, but I can't seem to get the restore to go somewhere else this time...
    Any thoughts appreciated -
    Edward

    Hi,
    More testing today so let's share
    There is 3 registry key in SQL Server 2005 :
    HKLM\SOFTWARE\Microsoft\Microsoft SQL Server\<Instance Name>\MSSQLServer\DefaultData
    HKLM\SOFTWARE\Microsoft\Microsoft SQL Server\<Instance Name>\MSSQLServer\DefaultLog
    HKLM\SOFTWARE\Microsoft\Microsoft SQL Server\<Instance Name>\Setup\SQLDataRoot
    Key #1 and key #2 are the one you configure in SQL server Manager and they correspond to the *.MDF directory and *.LDF directory.
    Key #3 is the one you configure during SQL Server installation.
    SAP Server manager will use key #3 when you restore an appset and also during the installation process of the ApShell.
    Key #1 and Key #2 are used by BPC setup to create the AppServer database.
    So to conclude : Even if you change Key #3 value in order to change the directory where you want to create your DB files, you will not be able to put *.MDF files on a different folder (directory) thant *.LDF files. Which means that after each AppSet restoration you will have to manually move at least the *.LDF or *.MDF file. I think this can be scripted with a T-SQL command... But you will have to do it.
    On a side note, i tried to delete Key #3 (was hoping that it will use key #1 and #2) => This is not working. The AppSet restore will fail (in fact this is SQL Server who will throw an error).
    Will ask my customer to open a case on SAP support, maybe it could be "fixed" one day.

  • SAP- BPC (MS Version 10.0) : How to get data from MS SQL !!!

    Appreciate, if any one can assists regarding data uploading from MS SQL (2005/2008) to SAP BPC - (EPM - 10.0). Thanks.

    Hi Deepak,
    Thanks for your email. Actually we not using SAP NW, our BaaN ERP database exist on MS SQL (2005). That’s why we have purchased SAP-BPC 10.0 MS version.
    Really appreciate if you can assist to resolve this issue.
    Thanks,
    Nasar Khan

  • SQL Queries, filter with multiple radio Buttons

    I am trying to figure out how to filter my datagridview with SQL queries so that both of them have to be met for data to show up not just one.
    My datagridview is bound to an Access Database.
    I basically would want it filtered by 'Width' and 'Wood Type'
    I have radio buttons in group boxes so a width and wood can be selected. However only one Query is applied at a time.

    Public Class Form1
    Private Sub StickersBindingNavigatorSaveItem_Click(sender As Object, e As EventArgs)
    Me.Validate()
    Me.StickersBindingSource.EndEdit()
    Me.TableAdapterManager.UpdateAll(Me.TestDataSet)
    End Sub
    Private Sub Form1_Load(sender As Object, e As EventArgs) Handles MyBase.Load
    'TODO: This line of code loads data into the 'TestDataSet.Stickers' table. You can move, or remove it, as needed.
    Me.StickersTableAdapter.Fill(Me.TestDataSet.Stickers)
    AcceptButton = Button1
    End Sub
    Private Sub Button1_Click(sender As Object, e As EventArgs) Handles Button1.Click
    End Sub
    Private Sub RadioButton1_CheckedChanged(sender As Object, e As EventArgs) Handles RadioButton1.CheckedChanged
    Try
    Me.StickersTableAdapter.Wood_Oak(Me.TestDataSet.Stickers)
    Catch ex As System.Exception
    System.Windows.Forms.MessageBox.Show(ex.Message)
    End Try
    End Sub
    Private Sub RadioButton2_CheckedChanged(sender As Object, e As EventArgs) Handles RadioButton2.CheckedChanged
    Try
    Me.StickersTableAdapter.Wood_Walnut(Me.TestDataSet.Stickers)
    Catch ex As System.Exception
    System.Windows.Forms.MessageBox.Show(ex.Message)
    End Try
    End Sub
    Private Sub RadioButton3_CheckedChanged(sender As Object, e As EventArgs) Handles RadioButton3.CheckedChanged
    Try
    Me.StickersTableAdapter.Width14(Me.TestDataSet.Stickers)
    Catch ex As System.Exception
    System.Windows.Forms.MessageBox.Show(ex.Message)
    End Try
    End Sub
    Private Sub RadioButton4_CheckedChanged(sender As Object, e As EventArgs) Handles RadioButton4.CheckedChanged
    Try
    Me.StickersTableAdapter.Width18(Me.TestDataSet.Stickers)
    Catch ex As System.Exception
    System.Windows.Forms.MessageBox.Show(ex.Message)
    End Try
    End Sub
    Private Sub TextBox1_TextChanged(sender As Object, e As EventArgs) Handles TextBox1.TextChanged
    If RadioButton5.Checked = True Then
    If TextBox1.Text = "" Then
    Else
    Me.StickersBindingSource.Filter = "Width LIKE '" & TextBox1.Text & "%'"
    DataGridView1.Refresh()
    End If
    ElseIf RadioButton6.Checked = True Then
    If TextBox1.Text = "" Then
    Else
    Me.StickersBindingSource.Filter = "[Wood Type] LIKE '" & TextBox1.Text & "%'"
    DataGridView1.Refresh()
    End If
    ElseIf RadioButton5.Checked = False And RadioButton6.Checked = False Then
    MsgBox("Please Select a Search Criteria")
    End If
    End Sub
    Private Sub TextBox2_TextChanged(sender As Object, e As EventArgs) Handles TextBox2.TextChanged
    Try
    Me.StickersTableAdapter.SearchWood(Me.TestDataSet.Stickers)
    Catch ex As System.Exception
    System.Windows.Forms.MessageBox.Show(ex.Message)
    End Try
    End Sub
    End Class

  • How to run multiple sqls in one jasper report

    Hello!
    Is there any one that can help me in integrating/ viewing my xml file to the web. I have my GUI in jsp format, the jsp makes a call to the bean class and then finally bean class hit my reports java class.The report java class generates the report and shows it in the new window.
    The problem is with writing mutiple sql queries and showing the result from multiple sql queires in one report.
    I do not know how to write multiple queries for just 1 report. I can give a simple example of my problem also.
    My report is as follows:
    First Name Middle Name Last name
    Sandeep               Pathak
    Now First and Middle Name come from 1st sql query and Last Name comes from 2nd sql query.
    I want to join the result obtained from both the sql queries in one Jasper Report (not as 2 separate sections but as one section).
    My problem is how to view my report in the web. furthermore, how to make complex query in jasperassistant, like multiple table in one query, because i�m integrating multiple query in one form or sheets of paper.
    Please help me in this.
    Thanks
    Sandeep
    Calance
    India

    Hi Sheldon,
    we never have issues when we combine standard objects, like a cliear with a load inforprovider, or the master data integration you mentioned in your document. However, from the moment we combine a script logic with a standard package (like a move) it does not work .The data package contains the task needed for the script and for the move. the process chain is called up but always comes in error in the first step (BPC modify dynamically ) ... there is also no log when checking the view status ...
    I can sent you some screenshots if you like ...
    D

  • SAP BPC in more languages

    Hello,
    I wan to know if SAP BPC can have more than the english language. Not the SQL Server or the Windows.
    WEe want to see the menus and the data in other language. Is it possible??
    Thank you in advance.
    Pablo Mortera.

    When you install the BPC for Office client, you can select for about 7 different languages (of which english, german, french, etc) , the BPC menus and dialogs will then be presented in the selected language. If you want to change this language, you have to reinstall the client software.
    If you want to use multiple languages descriptions for dimension members you can create multiple properties (DES_ENGLISH, DES_GERMAN, ETC) which can be used in reports for showing the descriptions in the desired language.
    For one of my customers I created an 'language' cube, one of the dimensions reflects all user ID's. In this cube, they can store and change a default language per user. All input schedules and reports will then first lookup what the default language is for your userid and then using an evpro to retrieve the descriptions in your language.
    Hope this helps,
    Alwin Berkhout

  • SAP BPC Partitioning on a Windows 64 bit Server

    Hello, we are considering SQL Server 2005 partitioning the SAP BPC (V5 SP3) time dimension by month on a Windows 64 bit Server since we curently have more than 70 million records in the application FACT table.  Has any body got any experience of partitioning with Windows 64 bit servers and if so can you provide ay recommendations and did you come across any issues that we should be aware of?

    Hi Wayne,
    It is no difference between 64 bits and 32 bits regarding the partioning of SQL 2005.
    I think you would like to partition the cubes not the table.
    Partioning of table doesn't help for performances but partionning of cube for OLAP it is provide at least 40% improvements for retrieve data (mdx queries).
    So if you know to do the partitioning for 32 bits then you have to follow the same steps for 64 bits.
    If you need information about how to do partitions in general then you can find into wiki information about how you can do partitions for BPC 5.X.
    Regards
    Sorin Radulescu

  • SAP BPC 7.0 - Microsoft Platform - SP Upgrade Question

    Hi Experts,
    I was tasked to upgrade the SP of our client's SAP BPC 7.0 -Microsoft Platform System from Release 7.0.116 (SP07) to SP09. Details are below
    Prod System:
    Multi Server : 2 Servers
    Application Server:
    Windows Server 2003, Enterprise Ed SP2 32-Bit
    IIS Web Server
    SAP BPC 7.0 Release 7.0.116
    Database Server:
    Microsoft Windows Server 2003 x64 64-Bit
    MS SQL 2008 64-Bit
    My question, since Server Manager Version 7.0.116 is equal to SP07, do i need to download SP08 and SP09, and then apply SP08, and the underlying patch on top of SP08, then SP09, or can i just simply download only SP09 and then install it only in our App Server, since it was mention in the Upgrade Guide that SP of SAP BPC are cumulative. And if there are any configuration settings that i need to take unto consideration? I'm new to this one since I'm accustomed of SP Upgrade in SAP ECC Systems in TxCode SPAM.
    Thanks in advance!

    Hi,
    After performing the steps Nilanjan suggested you may want to look at the Post-Installation Steps recommended by SAP. They are as below:
    Post-Installation Steps
    1. If you already have an application set in your previous version, do the following:
    a) After installing this support package, update existing reports by choosing Publish Report on the Web Administration page.
    b) If you have already enabled Insight, update existing reports by choosing Build Report on the Insight Dashboard page.
    c) To apply fixes available for business rules, choose Modify Application within the Administration Console. Do not select options related to desired application.
    2. This support package contains an appset parameter called RETRIEVE_ON_OFFLINE. To restrict data retrieval while an application set is unavailable, access the Appset Parameter page within Web Administration, then add a key named RETRIEVE_ON_OFFLINE with one of the following values:
    1, which allows retrieval or data export while the application set is unavailable.
    0, which prevents retrieval or data export while the application set is unavailable.
    Log off and then logon to BPC for Office if the system offline message displays after setting the application set to Available. This downloads the dimension cache file if a dimension member or structure has changed while the system was offline.
    3. We recommend changing the syntax of dimension formulas related to CSS message [IM 1249006] Data Integrity Issue with Account dimension / 4 Hierarchies as follows:
    a) Use [%dimension%].[%current hierarchy%].CurrentMember. Level.Ordinal>0 instead of [%dimension%].[%the other hierarchy%].[All %dimension%.%the other hierarchy%] in dimension formulas to check the status of the current view of the current hierarchy because the current member may have been changed as a member of another hierarchy within multiple hierarchy dimensions.
    b) Use 0 (zero) instead of NULL in IIF statements when the member from the current view does not match the condition of the IIF statement, as NULL may return an incorrect value. For example, if the hierarchy is the third hierarchy, #iif([Account].[H3].CurrentMember.Level.Ordinal>0,%Arg%, 0).
    4. To run the Management Console in multiple server environments, change Authentication and Access Control of the ManagementConsole virtual directory in IIS from Integrated Windows Authentication to Basic Authentication. You can find the virtual directory on the Application server in the Directory Security tab of the virtual directory's property in IIS.
    Hope this helps.
    Santosh

  • How do i access multiple bex queries in one crystal reports??

    Hello Experts,
    I have 10 cubes and 30 bex queries on it and i need to create 3 final crystal reports on these 30 queries.
    I am on BI 4.0 & CR 2011. but my client is not on correct SAP patch ie., he is on 15+ but he must be on 23+ to access multiple bex queries on CR 2011 Database expert. (I am unable to see bex queries in Database expert to link couple of bex queries)
    And my client env doesnt have SAP EP for SAP BW Netweaver Connection to create a connection to access cubes or queries in IDT.
    Do my client env need EP? so that SAP BICS Connection will work in IDT?
    How do i approach to achive this...
    Thank you...

    Hi,
    have you checked the option "allow external access" in your query? SAP Toolbar will find all queries but the database export needs this flag to be set.
    Using multiple queries within one crystal report is using the "multi database join feature" of crystal reports. You can link your queries by key fields and crystal will join them in memory. So when there are many queries or many datarows this can be a huge performance killer.
    Actuallly one of our customers is running a report which has more than 20 BEx queries linked together. It runs just fine.
    Please be sure to set your joins correctly. E.g. crystal will try to make a join on the "key figures" sturcture if you let it create a suggestion or it will try to link on all fields of an infoobject. This will bring MDX errors.
    So you should be setting your joins correctly - the [infoobject]-[20infoobject] fields are fine for that.
    I hope you can use some of my words.
    Regards
    Thorsten

Maybe you are looking for

  • How to make a slide show or edition including mpeg and other formats

    Hi, I am i bit puzzled by the use of iphoto/imovie/itunes. I have a Sony camera which generates jpg photos and mpg videos; besides, i have 3gp and mp4 videos from cell phones. Firstly, i imported all of them to iphoto. I used a automator workflow to

  • MBA to a TV(None HDTV, RCA )

    how do i connect my mba to my tv i bought a VGA to RCA but my mba did not detect it plz help

  • Business Explorer  Analyer Login Error

    All Expert:     I want to login Business Explorer Analyer 3.X,When I input username and password,after confirm,it display:   Message Group RFC_ERROR_PROGRAM Message  Ent By the way,Web application Desinger is the same problem. please answer this ques

  • Drilldown in Visual Composer Dashboad

    Hi, I had a query on which i am building dashboard using visual composer using Filters...etc Is there any option that i can use so that i can provide DRILLDOWN option for the dashboard with the free chars avaliable in QUery Thanks

  • U/tube videos open when using Safari but will not open when using Firefox.

    u/tube videos open fine when using Safari but will not open when using Firefox. With Firefox I get the unhighlighted Quicktime symbol with a question mark in the center. WHY?? Any help appreciated --- Toroya