Filtering Portal Content Based on User Attributes

Size: px
Start display at page:

Download "Filtering Portal Content Based on User Attributes"

Transcription

1 Filtering Portal Content Based on User Attributes Applies To: SAP Enterprise Portal EP6 SP2 SAP Enterprise Portal 6.0 SP9 and above Article Summary This technical paper will cover how to implement a filtering mechanism of portal content based on user attributes. It uses concepts and base code from the article, Filtering Role and Workset Content by Eckart Liemke and Meinolf Block, which is available at: Please refer to this article for detailed technical information on filter factories and how they operate. This paper will extend the functionality presented in the referenced SDN article to include portal content at all levels including pages and portal catalog folders. Please note that this article presents custom code and is NOT an officially SAP supported solution. The code should be implemented with extreme caution, as bad code could have serious side effects and implications. By: Marty McCormick marty.mccormick@sap.com Title: Technical Consultant SAP America Date: 20 September 2005 Scenario Outline In this scenario, we ll assume that iviews on certain pages within the portal must only be displayed and/or be accessible via personalization when users are a member of a specific country. Typically, customers would create different roles, worksets and pages to a deliver content in a secure manner, however filter factories can eliminate the need for different content structures in the portal catalog and the requirement for multiple pages, worksets and iviews. In this example, the administrator and content teams wish to create one end user role with a page that hosts 4 iviews a Germany only iview, a US only iview, an iview to be seen by all users and an iview to show only members of the super admin role. This means that if the user is from Germany they should see a specific set of iviews based on their country value in their user profile versus that of a user in the US. The code will also implement a mechanism to allow a super administrator to see all content at all times. As shown in the screen shots below, there is one role that contains a page with 4 iviews on it. Based on attributes placed on the iviews themselves, they should be displayed according to their user s country. Here s how the content was created and set up (before any filtering mechanism).

2 Figure 1: Content Catalog View of Sample Scenario Figure 2: Default iviews on the Country Page Filter Expressions A filter expression is the string returned by the filter factory that is used by the portal to determine whether or not the child object should be displayed. These filter expressions can use standard AND/OR logic to accommodate complicated expressions. Filter expressions can also contain wildcards. For example,!(com.widgets.country=*) would allow everything that is not tagged to be rendered. It is important to remember that pages contain items that may need to be seen by the whole user community, such as page layouts. If the filter factory is placed on a page, the page layout values are checked and if it does not pass the check, the whole page will not be displayed (since iviews require a layout). For this specific case (among others), it is

3 wise to implement an ALL value for your filtering attribute(s) that is returned in every filter expression. You can see this logic implemented in the filter factory below. Creating the Filter Factory Component There were some slight modifications to the code provided in the SDN article referenced above. In this scenario we are going to implement an override mechanism that allows users who are a member of the super admin role to override the filtering mechanism regardless of the admins country setting. The filter factory will check children for the attribute com.widgets.company in order to compare to the filter expression. Code Implementation The following section provides the code necessary in order to implement the example. Figure 3: Project Structure in NetWeaver Developer Studio CountryFilterFactory.java package com.widgets; import javax.naming.spi.objectfactory; import java.util.hashtable; import javax.naming.context; import javax.naming.name;

4 import com.sap.security.api.*; import com.sapportals.portal.pcd.gl.ipcdcontext; import com.sap.portal.pcm.admin.pcmconstants; import com.sap.portal.directory.constants; import com.sapportals.portal.prt.logger.ilogger; import com.sapportals.portal.prt.runtime.portalruntime; ************************************************************************** * * CountryFilterFactory * Filter factory that returns a filter string filtering for the * attribute "com.widgets.country" * Marty McCormick SAP 9/15/ * ************************************************************************ public class CountryFilterFactory implements ObjectFactory { ILogger log = PortalRuntime.getLogger(); javax.naming.spi.objectfactory#getobjectinstance(object, Name, Context, Hashtable) public Object getobjectinstance(object arg0, Name arg1, Context arg2, Hashtable env) throws Exception { String countryaffiliation = ""; //do not filter by default String filterexpression = ""; env.put(context.initial_context_factory,ipcdcontext.pcd_initial_context_factory); env.put(constants.requested_aspect, PcmConstants.ASPECT_SEMANTICS); IUser user = (IUser) env.get(ipcdcontext.security_principal); boolean superadmin = false; // Get the role associated with the role name super_admin_role IRole role = null; String rolename = "super_admin_role"; IRoleFactory rfact = UMFactory.getRoleFactory(); try { role = rfact.getrolebyuniquename(rolename); catch (UMException e) { log.severe("country FILTER SERVICE: Error = " + e.tostring());

5 //check to see if the user is a member of the super admin role, if so, set superadmin = true if(user.ismemberofrole(role.getuniqueid(),true)) { superadmin = true; if (user!= null) { String country = user.getcountry(); if(country==null) { country="none"; //override to check if the user is a member of the super admin role if (!superadmin) { if ((country!= null) && (!country.equals(""))) { filterexpression = "( (" + CountryFilterService.COUNTRY_KEY + "=" + country + ")(" + CountryFilterService.COUNTRY_KEY + "=ALL))"; return filterexpression; CountryFilterService.java package com.widgets; import javax.naming.namingexception; import com.sapportals.portal.pcd.gl.ipcdattribute; import com.sapportals.portal.pcd.gl.ipcdattributes; import com.sapportals.portal.pcd.gl.ipcdglservice; import com.sapportals.portal.pcd.gl.ipcdobjectfactory; import com.sapportals.portal.pcd.gl.pcdruntimeexception; import com.sapportals.portal.prt.service.iserviceconfiguration; import com.sapportals.portal.prt.service.iservicecontext; import com.sapportals.portal.prt.service.iservice; import com.sapportals.portal.prt.logger.ilogger; import com.sapportals.portal.prt.runtime.portalruntime; import com.sapportals.portal.pcd.gl.ipcdutils;

6 ******************************************************************************* * * CountryFilterService * Service that creates schema entries and initializes the Country Filter Factory * * Marty McCormick SAP 9/15/ * ************************************************************************ public class CountryFilterService implements IService { private IServiceContext servicecontext; public static final String COUNTRY_KEY = "com.widgets.country"; private static final String FILTER_FACTORY_CLASS_NAME = CountryFilterFactory.class.getName(); public static final String SERVICE_KEY = "com.widgets.countryfilterservice"; private static final String FILTER_CLASS = "com.widgets.countryfilter"; * Generic init method of the service. Will be called by the portal runtime. servicecontext public void init(iservicecontext servicecontext) { this.servicecontext = servicecontext; try { this.setupschema(); catch (NamingException e) { throw new PcdRuntimeException(e); * This method is called after all services in the portal runtime * have already been initialized. public void afterinit() { * configure the service configuration public void configure( com

7 .sapportals.portal.prt.service.iserviceconfiguration configuration) { * This method is called by the portal runtime * when the service is destroyed. public void destroy() { * This method is called by the portal runtime * when the service is released. public void release() { the context of the service, which was previously set * by the portal runtime public IServiceContext getcontext() { return servicecontext; * This method should return a string that is unique to this service amongst all * other services deployed in the portal runtime. a unique key of the service public String getkey() { return SERVICE_KEY; * Initialization of the schema entry for the filter factory private void setupschema() throws NamingException {

8 //In NW04, the IPcdUtils interface can be used instead of the decprecated IPcdObjectFactory IPcdObjectFactory pcdobjectfactory = ((IPcdGlService) PortalRuntime.getRuntimeResources().getService(IPcdGlService.KEY)).getPcdObjectFact ory(); pcdobjectfactory.recreateschemaentry(filter_class, this.getfilterclassattributes(pcdobjectfactory), null); * IPcdAttributes private IPcdAttributes getfilterclassattributes(ipcdobjectfactory pcdobjectfactory) throws NamingException { IPcdAttributes attributes = pcdobjectfactory.createpcdattributes(); attributes.put( IPcdAttribute.OBJECT_CLASS, IPcdAttribute.OBJECT_CLASS_FILTERCLASS); attributes.put(ipcdattribute.application, SERVICE_KEY); attributes.put(ipcdattribute.filter_factory, FILTER_FACTORY_CLASS_NAME); return attributes; jndi.properties # # Provider resource file for JNDI service providers. # # # Initial Context Factory # java.naming.factory.initial=com.sun.jndi.ldap.ldapctxfactory # # # Object factories java.naming.factory.object=com.widgets.countryfilterfactory portalapp.xml <?xml version="1.0" encoding="utf-8"?> <application> <application-config> <property name="sharingreference" value="com.sap.portal.pcd.glservice,usermanagement"/>

9 <property name="startup" value="true"/> <property name="releasable" value="false"/> </application-config> <components/> <services> <service name="countryfilterservice"> <service-config> <property name="classname" value="com.widgets.countryfilterservice"/> <property name="classnamefactory" value=""/> <property name="classnamemanager" value=""/> <property name="startup" value="true"/> <property name="poolfactory" value="0"/> </service-config> </service> </services> </application> Once the component is created, simply deploy the portal service into your environment. Tagging Portal Content After the component has been deployed, the next step is to tag or label the content. All objects that should be filtered are children members, whereas pages and folders are parents that contain the filter factory listing. If you have not implemented an override mechanism, it is necessary to tag the children (iviews, layouts) first before placing the filter factory on the parent objects otherwise you would not be able to tag the children (iviews & layouts) because the content wouldn t pass the filter expression. It is important to remember that if you are trying to filter iviews on a page, you must tag the page layouts in addition to iviews or allow all not tagged content to render by default in your filter expression! The page used in this example contains layouts and iviews and looks like the following (notice the page layouts in addition to the iviews assigned to the page):

10 Figure 4: Page Components All page layouts are tagged with a com.widgets.country attribute and have a value of ALL like such: Figure 5: Sample Page Layout Tagging

11 The iviews are tagged in the following manner: US iview = US Germany iview = DE All User = ALL No Country = not tagged with attribute As the referenced SDN article states, objects that contain children to be filtered require a filter factory to be placed on them. You can add these attributes programmatically using the PCD GL API s. For filter factories, SAP requires the com.sap.portal.pcd.gl.filterassigment attribute along with the appropriate object factory class to be used. In this case, it would look like the following: Figure 6: Filter Factory Attribute on Page In addition to placing the filter factory on the page, it should also be implemented at the folder level in the portal catalog for two reasons: 1) Security the user should not see the iviews that don t belong to their country (as they can add it to a page that doesn t implement the filter factory and have it render) 2) Usability the user would be confused if they saw the iview in the catalog, but if they added it to a page it would not render As such, the same attribute and filter factory value that was placed on the page is placed on the iviews folder under Widgets Company. This ensures that all iviews underneath the folder are checked for proper permission before being listed.

12 Demo When a user with the country attribute US logs into the portal, he/she would see the following: Figure 7: US User Page View As expected, the Germany and not tagged iviews do not show up on the page-however the ones tagged US and ALL do render. In addition, when the US User tries to personalize any page and views the catalog, he/she would see the following: Figure 8: US User Personalization View

13 In addition to personalization, if the US User was a member of the content administrator role (super admin overrides), he/she would see the view shown above and not Germany and Not tagged iviews. This is good for security, but poses potential issues if the US user is an administrator for Germany content. Here s how the user with a country value of Germany (DE) would look: Figure 9: Germany User Page View

14 Figure 10: Germany User Personalization View Similar to the US User, the Germany user is seeing only content that is tagged ALL or DE. If the user is a member of the super admin role, he/she would see the following for their page view:

15 Figure 11: Super Admin Page View Figure 12: Super Admin Personalization View As you can see from the super admin screen shots, all content is being displayed because the filter factory is returning a blank filter expression which evaluates all content to true, including not tagged iviews. Conclusion It s useful to note that any user attribute (or other data pertaining to the user) may be used in the creation of the filter expression. For example, you could use a combination of many user attributes (i.e. country and employee type) including custom attributes from Active Directory or other LDAP source -- in order to generate the filter expression.

16 As you can see from this document, filter factories provide a great mechanism to increase security while reducing duplicate content such as roles, worksets and pages. It also provides security at the portal catalog level, which can significantly reduce the amount of folders and complexity in permissions on the folders. Disclaimer & Liability Notice This document may discuss sample coding, which does not include official interfaces and therefore is not supported. Changes made based on this information are not supported and can be overwritten during an upgrade. SAP will not be held liable for any damages caused by using or misusing of the code and methods suggested here, and anyone using these methods, is doing it under his/her own responsibility. SAP offers no guarantees and assumes no responsibility or liability of any type with respect to the content of the technial article, including any liability resulting from incompatibility between the content of the technical article and the materials and services offered by SAP. You agree that you will not hold SAP responsible or liable with respect to the content of the Technical Article or seek to do so. Copyright 2005 SAP AG, Inc. All Rights Reserved. SAP, mysap, mysap.com, xapps, xapp, and other SAP products and services mentioned herein as well as their respective logos are trademarks or registered trademarks of SAP AG in Germany and in several other countries all over the world. All other product, service names, trademarks and registered trademarks mentioned are the trademarks of their respective owners.

Programmatical Approach to User Management in Enterprise Portal

Programmatical Approach to User Management in Enterprise Portal Programmatical Approach to User Management in Enterprise Portal Applies to: SAP Netweaver 2004 SPS15/ SAP Enterprise Portal 6.0 or higher. Summary This article provides information to create user in EP,

More information

How to Create Tables in MaxDB using SQL Studio

How to Create Tables in MaxDB using SQL Studio How to Create Tables in MaxDB using SQL Studio Wipro Technologies January 2005 Submitted By Kathirvel Balakrishnan SAP Practice Wipro Technologies www.wipro.com Page 1 of 11 Establishing a connection to

More information

SDN Community Contribution

SDN Community Contribution SDN Community Contribution (This is not an official SAP document.) Disclaimer & Liability Notice This document may discuss sample coding or other information that does not include SAP official interfaces

More information

SDN Community Contribution

SDN Community Contribution SDN Community Contribution (This is not an official SAP document.) Disclaimer & Liability Notice This document may discuss sample coding or other information that does not include SAP official interfaces

More information

MDM Syndication and Importing Configurations and Automation

MDM Syndication and Importing Configurations and Automation MDM Syndication and Importing Configurations and Automation Applies to: SAP MDM SP 05 Summary This document was written primarily for syndication and import of records into SAP NetWeaver MDM from different

More information

How to Reference External JAR Files in Web Dynpro DC in SAP NW Portal 7.3

How to Reference External JAR Files in Web Dynpro DC in SAP NW Portal 7.3 How to Reference External JAR Files in Web Dynpro DC in SAP NW Portal 7.3 Applies to: SAP NetWeaver Portal 7.3, NWDS 7.3. For more information, visit the Portal and Collaboration homepage. Summary This

More information

Add /Remove Links on ESS Home Page in Business Package 1.5

Add /Remove Links on ESS Home Page in Business Package 1.5 Add /Remove Links on ESS Home Page in Business Package 1.5 Applies to: SAP ECC EHP5. For more information, visit the Enterprise Resource Planning homepage. Summary Customizing links on ESS Overview page

More information

SDN Community Contribution

SDN Community Contribution Step by step guide to develop a module for reading file name in a sender file adapter SDN Community Contribution (This is not an official SAP document.) Disclaimer & Liability Notice This document may

More information

Integration of Web Dynpro for ABAP Application in Microsoft Share Point Portal

Integration of Web Dynpro for ABAP Application in Microsoft Share Point Portal Integration of Web Dynpro for ABAP Application in Microsoft Share Point Portal Applies to: Web Dynpro ABAP. Summary This tutorial explains how to display Web Dynpro ABAP Application in Microsoft Share

More information

How to Create and Execute Dynamic Operating System Scripts With XI

How to Create and Execute Dynamic Operating System Scripts With XI Applies To: SAP Exchange Infrastructure 3.0, SP 15, Integration Repository and Directory Summary This document describes how to create, store and execute a non static operating command script. In this

More information

Custom Password Reset Tool in SAP Enterprise Portal Using Web Dynpro for Java

Custom Password Reset Tool in SAP Enterprise Portal Using Web Dynpro for Java Custom Password Reset Tool in SAP Enterprise Portal Using Web Dynpro for Java Applies to: SAP Enterprise Portal, Web Dynpro for Java. For more information, visit the Portal and Collaboration homepage.

More information

Creating a Development Component

Creating a Development Component Applies To: SAP WAS 6.40 SP9, NWDS 2.0.9 Summary This blog attempts to develop a reusable utility component which can be used in WebDynpro development using NWDS and there by reducing the development time.

More information

How To Integrate the TinyMCE JavaScript Content Editor in Web Page Composer

How To Integrate the TinyMCE JavaScript Content Editor in Web Page Composer SAP NetWeaver How-To Guide How To Integrate the TinyMCE JavaScript Content Editor in Web Page Composer Applicable Releases: Portal for SAP NetWeaver 7.3 Version 1.0 April 2011 Copyright 2011 SAP AG. All

More information

Template Designer: Create Automatic PDF Documents for Attachment or Print Purpose

Template Designer: Create Automatic PDF Documents for Attachment or Print Purpose Template Designer: Create Automatic PDF Documents for Attachment or Print Purpose Applies to: SAP Customer Relationship Management (SAP CRM) Release 7.0 SP 01, November 2008. SAP NetWeaver 7.0 including

More information

Graphical Mapping Technique in SAP NetWeaver Process Integration

Graphical Mapping Technique in SAP NetWeaver Process Integration Graphical Mapping Technique in SAP NetWeaver Process Integration Applies to: SAP NetWeaver XI/PI mappings. For more information, visit the Repository-based Modeling and Design homepage. Summary This guide

More information

Different Types of iviews in Enterprise Portal 7.0

Different Types of iviews in Enterprise Portal 7.0 Different Types of iviews in Enterprise Portal 7.0 Applies to: This Article applies to Enterprise Portal 7.0. For more information, visit the Portal and Collaboration homepage. Summary This document covers

More information

BW 3.1 Open Hub Extraction Enhancement: Using Literal Filename & Path

BW 3.1 Open Hub Extraction Enhancement: Using Literal Filename & Path BW 3.1 Open Hub Extraction Enhancement: Using Literal Filename & Path Applies To: SAP BW Open Hub Extraction Article Summary With the help of Open Hub, you can extract data from BW and save it to the application

More information

How to use Boolean Operations in the Formula as Subsidiary for IF Condition

How to use Boolean Operations in the Formula as Subsidiary for IF Condition How to use Boolean Operations in the Formula as Subsidiary for IF Condition Applies to: SAP BW 3.5 & BI 7.0. For more information, visit the EDW homepage. Summary This paper will explain you how to use

More information

SDN Community Contribution

SDN Community Contribution SDN Community Contribution (This is not an official SAP document) Disclaimer & Liability Notice This document may discuss sample coding or other information that does not include SAP official interfaces

More information

Using Radio Buttons in Web Template

Using Radio Buttons in Web Template Using Radio Buttons in Web Template Applies to: SAP BW 3.5. For more information, visit the Business Intelligence homepage. Summary One of the ideal requirements in the BW Web Reporting is the user wants

More information

How to Create and Schedule Publications from Crystal Reports

How to Create and Schedule Publications from Crystal Reports How to Create and Schedule Publications from Crystal Reports Applies to: SAP BusinessObjects Enterprise. For more information, visit the Business Objects homepage. Summary This white paper describes how

More information

Fetching User Details from the Portal and Displaying it in Web Dynpro with Authentication in the Portal

Fetching User Details from the Portal and Displaying it in Web Dynpro with Authentication in the Portal Fetching User Details from the Portal and Displaying it in Web Dynpro with Authentication in the Portal Applies to: SAP NetWeaver Web Dynpro. For more information, visit the Portal and Collaboration homepage.

More information

Creating Custom SU01 Transaction Code with Display and Password Reset Buttons

Creating Custom SU01 Transaction Code with Display and Password Reset Buttons Creating Custom SU01 Transaction Code with Display and Password Reset Buttons Applies to: All versions of SAP. Summary This article will explain you the process of creating custom SU01 transaction code

More information

Config Tool Activities

Config Tool Activities Applies to: This Article applies to Enterprise Portal 7.0. For more information, visit the Portal and Collaboration homepage. Summary This article describes a few of the activities in Config Tool. Author:

More information

SAP BI BO Unit/Currency Logic for Unknown Units Case Study

SAP BI BO Unit/Currency Logic for Unknown Units Case Study SAP BI BO Unit/Currency Logic for Unknown Units Case Study Applies to: This solution is implemented for a combination of SAP BO XI 3.1 SP2 FP 2.1 and SAP NW BI 7.0 EHP1 SP6 For more information, visit

More information

Calculate the Number of Portal Hits Part 2

Calculate the Number of Portal Hits Part 2 Calculate the Number of Portal Hits Part 2 Applies to: SAP Netweaver Enterprise Portal. Summary This article is an extension to the previous article where-in the solution is extended to the scenario where

More information

A Simple search program for Dictionary objects

A Simple search program for Dictionary objects A Simple search program for Dictionary objects Applies To: ABAP Programming Article Summary This Code sample is a simple search utility for the dictionary objects. This has three kinds of search functionality

More information

SDN Community Contribution

SDN Community Contribution SDN Community Contribution (This is not an official SAP document.) Disclaimer & Liability Notice This document may discuss sample coding or other information that does not include SAP official interfaces

More information

Displaying SAP Transaction as Internet Application in Portal

Displaying SAP Transaction as Internet Application in Portal Displaying SAP Transaction as Internet Application in Portal Summary This article explains how we can display SAP transaction as Internet Application Components (IAC) in portal to make it simpler for the

More information

Julia Levedag, Vera Gutbrod RIG and Product Management SAP AG

Julia Levedag, Vera Gutbrod RIG and Product Management SAP AG Setting Up Portal Roles in SAP Enterprise Portal 6.0 Julia Levedag, Vera Gutbrod RIG and Product Management SAP AG Learning Objectives As a result of this workshop, you will be able to: Understand the

More information

Easy Lookup in Process Integration 7.1

Easy Lookup in Process Integration 7.1 Easy Lookup in Process Integration 7.1 Applies to: SAP NetWeaver Process Integration 7.1 For more information, visit the SOA Management homepage. Summary Unlike previous version of PI (7.0) / XI (3.0,

More information

Integrate a Forum into a Collaboration Room

Integrate a Forum into a Collaboration Room How-to Guide SAP NetWeaver 04 How To Integrate a Forum into a Collaboration Room Version 1.00 May 2007 Applicable Releases: SAP NetWeaver 04 SPS20 Copyright 2007 SAP AG. All rights reserved. No part of

More information

How to Configure User Status in mysap SRM

How to Configure User Status in mysap SRM How to Configure User Status in mysap SRM Applies to: mysap SRM 5.5 For more information, visit the Supplier Relationship Management homepage. Summary There had been quite a few instances in SRM Forum

More information

POWL: Infoset Generation with Web Dynpro ABAP

POWL: Infoset Generation with Web Dynpro ABAP POWL: Infoset Generation with Web Dynpro ABAP Applies to: WebDynpro ABAP Developer. For more information, visit the Web Dynpro ABAP homepage. Summary: This document explains how to create an Infoset, generate

More information

Adding Files as Attachments to SAP Interactive Forms in the Java Environment

Adding Files as Attachments to SAP Interactive Forms in the Java Environment Adding Files as Attachments to SAP Interactive Forms in the Java Environment Applies to: SAP NetWeaver 7.0, For more information, visit the SAP Interactive Forms by Adobe. Summary This document demonstrates

More information

Creation of Alert Data Service VC model for the BI query exception using Information Broadcasting

Creation of Alert Data Service VC model for the BI query exception using Information Broadcasting Applies To: SAP Netweaver 2004s Visual Composer 7.0 Summary The purpose of this document is to show how to create an alert data service VC model for the BI query exception using the Information broadcasting.

More information

Add-ons performance analysis using.net Profiler tool

Add-ons performance analysis using.net Profiler tool Add-ons performance analysis using.net Profiler tool Summary In the article B1TE: B1 Test Environment tools a set of profiling tools for SAP B1 add-ons is presented. You can use these tools to profile

More information

Upload Image file from system in Web dynpro view

Upload Image file from system in Web dynpro view Upload Image file from system in Web dynpro view Applies to: Web Dynpro for Java UI Development, SAP NetWeaver 2004s. For more information, visit the User Interface Technology homepage. For more information,

More information

Standalone BW System Refresh

Standalone BW System Refresh Applies to: Software Component: SAP_BW. For more information, visit the EDW homepage Summary BW relevant steps/scenarios during refresh of an existing non-productive BW system from productive BW system

More information

MDM Import Manager - Taxonomy Data (Attribute Text Values) Part 3

MDM Import Manager - Taxonomy Data (Attribute Text Values) Part 3 MDM Import Manager - Taxonomy Data (Attribute Text Values) Part 3 Applies to: SAP NetWeaver Master Data Management (MDM) SP3, SP4, SP5. Summary This article provides a step-by-step procedure for manually

More information

Material Listing and Exclusion

Material Listing and Exclusion Material Listing and Exclusion Applies to: Applies to ECC 6.0. For more information, visit the Enterprise Resource Planning homepage Summary This document briefly explains how to restrict customers from

More information

Material Master Archiving in Simple Method

Material Master Archiving in Simple Method Material Master Archiving in Simple Method Applies to: This article is applicable for SAP MM Module of SAP Version SAP 4.7 till SAP ECC 6.0 Summary This article describes a process called Material Master

More information

How to Develop a Simple Crud Application Using Ejb3 and Web Dynpro

How to Develop a Simple Crud Application Using Ejb3 and Web Dynpro How to Develop a Simple Crud Application Using Ejb3 and Web Dynpro Applies to: SAP Web Dynpro Java 7.1 SR 5. For more information, visit the User Interface Technology homepage. Summary The objective of

More information

Replacement Path: Explained with an Illustrated Example

Replacement Path: Explained with an Illustrated Example Replacement Path: Explained with an Illustrated Example Applies to: SAP NetWeaver BW. For more information, visit the EDW homepage Summary The document explains the purpose and implementation method of

More information

Financial Statement Version into PDF Reader

Financial Statement Version into PDF Reader Financial Statement Version into PDF Reader Applies to: SAP release 4.7EE, ECC 5.0 and ECC 6.0. For more information, visit the Enterprise Resource Planning homepage Summary: The objective of this article

More information

MDM Syndicator: Custom Items Tab

MDM Syndicator: Custom Items Tab MDM Syndicator: Custom Items Tab Applies to: SAP NetWeaver Master Data Management (MDM) SP04, SP05 and SP06. For more information, visit the Master Data Management homepage. Summary This article provides

More information

Federated Portal for Composite Environment 7.1

Federated Portal for Composite Environment 7.1 Federated Portal for Composite Environment 7.1 Applies to: This article applies to Federated Portal for Composition Environment. For more information, visit the Portal and Collaboration homepage Summary

More information

Deploying BusinessObjects Explorer on Top of a SAP BI Query

Deploying BusinessObjects Explorer on Top of a SAP BI Query Deploying BusinessObjects Explorer on Top of a SAP BI Query Applies to: SAP BI NetWeaver 2004s, BusinessObjects Explorer 3.1. For more information, visit the Business Intelligence homepage. Summary The

More information

Federated Portal Network Remote Role Assignment Step-by- Step Configuration

Federated Portal Network Remote Role Assignment Step-by- Step Configuration Federated Portal Network Remote Role Assignment Step-by- Step Configuration Applies to: Consumer Portal: SAP NetWeaver 2004s EhP1 SP6 Producer Portal: SAP NetWeaver CE EhP1 SP3 Summary This article describes

More information

List of Values in BusinessObjects Web Intelligence Prompts

List of Values in BusinessObjects Web Intelligence Prompts List of Values in BusinessObjects Web Intelligence Prompts Applies to: This solution is implemented for a combination of SAP NW BI 7.0 and SAP BO XI 3.1. For more information visit Business Objects Home

More information

SDN Community Contribution

SDN Community Contribution SDN Community Contribution (This is not an official SAP document.) Disclaimer & Liability Notice This document may discuss sample coding or other information that does not include SAP official interfaces

More information

How to Create Top of List and End of List of the ALV Output in Web Dynpro for ABAP

How to Create Top of List and End of List of the ALV Output in Web Dynpro for ABAP How to Create Top of List and End of List of the ALV Output in Web Dynpro for ABAP Applies to: SAP Netweaver 2004S: Web Dynpro for ABAP. For more information, visit the User Interface Technology homepage.

More information

Hierarchy in Business Objects with Expanded Hierarchy Logic

Hierarchy in Business Objects with Expanded Hierarchy Logic Hierarchy in Business Objects with Expanded Hierarchy Logic Applies to: SAP BW BO Integration Summary The current article talks about ways and means of achieving an expanded hierarchy view in the BO reports

More information

SYNDICATING HIERARCHIES EFFECTIVELY

SYNDICATING HIERARCHIES EFFECTIVELY SDN Contribution SYNDICATING HIERARCHIES EFFECTIVELY Applies to: SAP MDM 5.5 Summary This document introduces hierarchy tables and a method of effectively sending out data stored in hierarchy tables. Created

More information

Function Module to Create Logo

Function Module to Create Logo Applies To: SAP 4.0-4.7 Summary Utilities Function Module to create a Logo on a Custom Control Container. By: Arpit Nigam Company and Title: Hexaware Tech. Ltd., SAP Consultant Date: 26 Sep 2005 Table

More information

DB Connect with Delta Mechanism

DB Connect with Delta Mechanism Applies to: SAP BI/BW. For more information, visit the EDW homepage Summary This Article demonstrates the steps for handling Delta mechanism with Relational Database Management System (RDBMS) like SQL,

More information

7 Development for SAP NetWeaver Portal

7 Development for SAP NetWeaver Portal When you need to develop custom content for SAP NetWeaver Portal, many technologies for designing the user interface are available to you. This chapter provides an overview of development in various technologies

More information

Modify the Portal Framework Page in SAP EP 6.0

Modify the Portal Framework Page in SAP EP 6.0 How-to Guide SAP NetWeaver 04 How To Modify the Portal Framework Page in SAP EP 6.0 Version 1.00 December 2004 Applicable Releases: SAP NetWeaver SP2 and higher (SAP NetWeaver 04) Copyright 2004 SAP AG.

More information

HOWTO: SCRIPTING LANGUAGE SUPPORT FOR SAP SERVICES - RUBY

HOWTO: SCRIPTING LANGUAGE SUPPORT FOR SAP SERVICES - RUBY SDN Contribution HOWTO: SCRIPTING LANGUAGE SUPPORT FOR SAP SERVICES - RUBY Applies To SAP NetWeaver; Ruby 1.8.2; SAP::Rfc 0.19 Ruby Extension. Summary This article gives an introduction to usage of SAP

More information

Applies To:...1. Summary...1. Table of Contents...1. Procedure..2. Code... Error! Bookmark not defined.0

Applies To:...1. Summary...1. Table of Contents...1. Procedure..2. Code... Error! Bookmark not defined.0 Applies To: Usage of Table Control in ABAP Summary Normally we use wizard if we are working with table control. This document helps us how to create a table control without using a wizard and how to manipulate

More information

Virus Scan with SAP Process Integration Using Custom EJB Adapter Module

Virus Scan with SAP Process Integration Using Custom EJB Adapter Module Virus Scan with SAP Process Integration Using Custom EJB Adapter Module Applies to: SAP Process Integration 7.0 and Above Versions. Custom Adapter Module, Virus Scan Adapter Module, Virus Scan in SAP PI.

More information

Open Text DocuLink Configuration - To Access Documents which are Archived using SAP

Open Text DocuLink Configuration - To Access Documents which are Archived using SAP Open Text DocuLink Configuration - To Access Documents which are Archived using SAP Applies to: Open Text DocuLink for SAP Solutions 9.6.2. For more information, visit http://www.opentext.com Summary Open

More information

Explore to the Update Tab of Data Transfer Process in SAP BI 7.0

Explore to the Update Tab of Data Transfer Process in SAP BI 7.0 Explore to the Update Tab of Data Transfer Process in SAP BI 7.0 Applies to: SAP BI 2004s or SAP BI 7.x. For more information visit the Enterprise Data Warehousing. Summary This article will explain about

More information

Selection-Screen Design

Selection-Screen Design Applies To: SAP R/3, ABAP/4 Summary This program illustrates some of the selection-screen design features, simple use of field symbols and the various events associated with a report program. And one good

More information

configure an anonymous access to KM

configure an anonymous access to KM How-to Guide SAP NetWeaver 2004s How To configure an anonymous access to KM Version 1.00 February 2006 Applicable Releases: SAP NetWeaver 2004s Copyright 2006 SAP AG. All rights reserved. No part of this

More information

and Adapt ERP Roles and Their Content to SAP Enterprise Portal

and Adapt ERP Roles and Their Content to SAP Enterprise Portal How-to Guide SAP NetWeaver 04 How to Upload and Adapt ERP Roles and Their Content to SAP Enterprise Portal Version 1.00 November 2004 Applicable Releases: SAP NetWeaver 04 Copyright 2004 SAP AG. All rights

More information

E-Sourcing System Copy [System refresh from Production to existing Development]

E-Sourcing System Copy [System refresh from Production to existing Development] E-Sourcing System Copy [System refresh from Production to existing Development] Applies to: SAP Netweaver 7.0 and E-Sourcing 5.1/CLM 2.0 Summary This document discusses about the steps to do an E-Sourcing

More information

ios Ad Hoc Provisioning Quick Guide

ios Ad Hoc Provisioning Quick Guide ios Ad Hoc Provisioning Quick Guide Applies to: Applications developed for all kinds of ios devices (iphone, ipad, ipod). For more information, visit the Mobile homepage. Summary This article is a quick

More information

How to Create Business Graphics in Web Dynpro for ABAP

How to Create Business Graphics in Web Dynpro for ABAP Applies To: SAP Netweaver 2004s Internet Graphics Server 7.0 Summary The purpose of this document is to show you how to create business graphics in and to supply code samples to realize this. By: Velu

More information

How to Create View on Different Tables and Load Data through Generic Datasource based on that View

How to Create View on Different Tables and Load Data through Generic Datasource based on that View How to Create View on Different Tables and Load Data through Generic Datasource based on that View Applies to: SAP Business Intelligence (BI 7.0). For more information, visit the EDW homepage Summary This

More information

Security Optimization Self Service A Real-life Example

Security Optimization Self Service A Real-life Example Security Optimization Self Service A Real-life Example Applies to: SAP Solution Manager 4.0 EhP1 SP2 - Security Optimization Self Service. For more information, visit the Security homepage. Summary This

More information

This article explains the steps to create a Move-in letter using Print Workbench and SAPScripts.

This article explains the steps to create a Move-in letter using Print Workbench and SAPScripts. Applies to: SAP IS-Utilities 4.6 and above. Summary This article explains the steps to create a Move-in letter using Print Workbench and SAPScripts. Author: Company: Hiral M Dedhia L & T Infotech Ltd.

More information

Using Knowledge Management Functionality in Web Dynpro Applications

Using Knowledge Management Functionality in Web Dynpro Applications Using Knowledge Management Functionality in Web Dynpro Applications SAP NetWeaver 04 Copyright Copyright 2004 SAP AG. All rights reserved. No part of this publication may be reproduced or transmitted in

More information

External Driver Configuration for Process Integration 7.0

External Driver Configuration for Process Integration 7.0 External Driver Configuration for Process Integration 7.0 Applies to: This article will applies to XI3.0 and PI 7.0. If it needs to talk to the other database, we ll need to deploy the drivers in PI. Summary

More information

SUP: Personalization Keys and Synchronize Parameter

SUP: Personalization Keys and Synchronize Parameter SUP: Personalization Keys and Synchronize Parameter Applies to: Blackberry Mobile. For more information, visit the Mobile homepage. Summary This article gives a brief idea about Personalization Keys and

More information

Table Row Popup in Web Dynpro Component

Table Row Popup in Web Dynpro Component Table Row Popup in Web Dynpro Component Applies to Web Dynpro for ABAP, NW 7.0. For more information, visit the Web Dynpro ABAP homepage. Summary This document helps to create Table Rowpopin in a Web Dynpro

More information

How to Upload a File into the Knowledge Management (KM) Repository using KM API.

How to Upload a File into the Knowledge Management (KM) Repository using KM API. How to Upload a File into the Knowledge Management (KM) Repository using KM API. Applies to: SAP Net Weaver Developer Studio (NWDS) version 7.0.11 and SAP Web Application Server (WAS) version 7.0. Summary

More information

A Step-by-Step Guide on IDoc-ALE between Two SAP Servers

A Step-by-Step Guide on IDoc-ALE between Two SAP Servers A Step-by-Step Guide on IDoc-ALE between Two SAP Servers Applies to: All modules of SAP where data need to transfer from one SAP System to another SAP System using ALE IDoc Methodology. For more information,

More information

Solution to the Challenges in Pivoting

Solution to the Challenges in Pivoting Solution to the Challenges in Pivoting Applies to: SAP NetWeaver 2004s/ MDM 5.5 SP 06. For more information, visit the Master Data Management homepage. Summary This article strives to describe the different

More information

Universal Worklist - Delta Pull Configuration

Universal Worklist - Delta Pull Configuration Universal Worklist - Delta Pull Configuration Applies to: This article applied to SAP Netweaver 7.01 SP06 Portal, SAP ECC 6.0 EHP4. For more information, visit the Portal and Collaboration homepage Summary

More information

Install and Use the PCD Inspector Tool

Install and Use the PCD Inspector Tool How to Install and Use the PCD Inspector Tool ENTERPRISE PORTAL 6.0 SP2 VERSION 1.0 ASAP How to Paper Applicable Releases: EP 6.0 SP2 March 2004. TABLE OF CONTENTS 0 DISCLAIMER...2 1 INTRODUCTION:...2

More information

Step By Step: the Process of Selective Deletion from a DSO

Step By Step: the Process of Selective Deletion from a DSO Step By Step: the Process of Selective Deletion from a DSO Applies to: SAP NetWeaver BW. For more information, visit the EDW homepage. Summary Selective deletion from DSO refers to deleting specific values

More information

Setting Up an Environment for Testing Applications in a Federated Portal Network

Setting Up an Environment for Testing Applications in a Federated Portal Network SAP NetWeaver How-To Guide Setting Up an Environment for Testing Applications in a Federated Portal Network Applicable Releases: SAP NetWeaver 7.0 IT Practice: User Productivity Enablement IT Scenario:

More information

Data Flow During Different Update Mode in LO Cockpit

Data Flow During Different Update Mode in LO Cockpit Data Flow During Different Update Mode in LO Cockpit Applies to: SAP BW 3.x & SAP BI NetWeaver 2004s. For more information, visit the Business Intelligence homepage. Summary The objective of this Article

More information

How to Create New Portal Display Rules

How to Create New Portal Display Rules How to Create New Portal Display Rules ENTERPRISE PORTAL 6.0 ASAP How to Paper Applicable Releases: EP 6.0 SP2 April 2004. 1 INTRODUCTION... 2 2 PORTAL DISPLAY RULES: INTRODUCTION...3 3 THE STEP BY STEP

More information

Access SAP Business Functions (ABAP) via Web Services

Access SAP Business Functions (ABAP) via Web Services Applies To: SAP R/3 4.6c and ECC 5.0 SAP NetWeaver 04 WebAS 6.40 SP14 and up, XI 3.0 SP14, NWDS 2.0.14 SAP NW2004s WebAS 700, NWDS 7.0.07 Microsoft Visual Studio 2005, BizTalk Server 2006,.NET Framework

More information

How to Integrate SAP xmii Services with Web Dynpro Java

How to Integrate SAP xmii Services with Web Dynpro Java How to Integrate SAP xmii Services with Web Dynpro Java Applies to: SAP xmii 11.5 SAP Netweaver 04s Summary This document gives a step by step description on how SAP xmii services and objects can be exposed

More information

How to Upgr a d e We b Dynpro Them e s from SP S 9 to SP S 1 0

How to Upgr a d e We b Dynpro Them e s from SP S 9 to SP S 1 0 How- to Guide SAP NetW e a v e r 0 4 How to Upgr a d e We b Dynpro Them e s from SP S 9 to SP S 1 0 Ver si o n 1. 0 0 Dec e m b e r 2 0 0 4 Applic a b l e Rele a s e s : SAP NetW e a v e r 0 4 SP Sta c

More information

Implying Security on Business Object XI 3.1 Universe having SAP BW as Source

Implying Security on Business Object XI 3.1 Universe having SAP BW as Source Implying Security on Business Object XI 3.1 Universe having SAP BW as Source Applies to: SAP Business Object XI 3.1. For more information, visit the Business Objects homepage. Summary This article describes

More information

Generate PDF File with Background Image in SAP Enterprise Portal Using JSPDynPage

Generate PDF File with Background Image in SAP Enterprise Portal Using JSPDynPage Generate PDF File with Background Image in SAP Enterprise Portal Using JSPDynPage Summary This article throws light on using JSP Dyne Page in Enterprise Portal. This article illustrates how to generate

More information

SDN Community Contribution

SDN Community Contribution SDN Community Contribution (This is not an official SAP document.) Disclaimer & Liability Notice This document may discuss sample coding or other information that does not include SAP official interfaces

More information

Server Extension User s Guide SAP BusinessObjects Planning and Consolidation 10.0, version for the Microsoft platform

Server Extension User s Guide SAP BusinessObjects Planning and Consolidation 10.0, version for the Microsoft platform Server Extension User s Guide SAP BusinessObjects Planning and Consolidation 10.0, version for the Microsoft platform PUBLIC Document Version: 1.1 [September 9, 2016] Copyright Copyright 2016 SAP SE. All

More information

Freely Programmed Help- Web Dynpro

Freely Programmed Help- Web Dynpro Freely Programmed Help- Web Dynpro Applies to: SAP ABAP Workbench that supports Web dynpro development. For more information, visit the Web Dynpro ABAP homepage. Summary In addition to the Dictionary Search

More information

Limitation in BAPI Scheduling Agreement (SA) Create or Change

Limitation in BAPI Scheduling Agreement (SA) Create or Change Limitation in BAPI Scheduling Agreement (SA) Create or Change Applies to: SAP ECC 6.0.For more information, visit the ABAP homepage. Summary The article describes the limitations in standard SAP BAPIs

More information

Step by Step Guide How to Use BI Queries in Visual Composer

Step by Step Guide How to Use BI Queries in Visual Composer Step by Step Guide How to Use BI Queries in Visual Composer Applies to: SAP BW 7.x. For more information, visit the EBW homepage. Summary The objective of this Article is to explain step by step guide

More information

How to Default Variant Created for Report Developed In Report Painter/Writer

How to Default Variant Created for Report Developed In Report Painter/Writer How to Default Variant Created for Report Developed In Report Painter/Writer Applies to: Any business organization having reports developed using Report Painter/Report Writer. This is applicable from R/3

More information

Creating, Configuring and Testing a Web Service Based on a Function Module

Creating, Configuring and Testing a Web Service Based on a Function Module Creating, Configuring and Testing a Web Service Based on a Function Module Applies to: SAP EC6 6.0/7.0. For more information, visit the Web Services homepage. Summary The article describes how to create

More information

SAP Biller Direct Step by Step Configuration Guide

SAP Biller Direct Step by Step Configuration Guide SAP Biller Direct Step by Step Configuration Guide Applies to: NW2004s, For more information, visit the Application Management homepage. Summary This is a step by step configuration guide for SAP Biller

More information

Step By Step Procedure to Implement Soap to JDBC Scenario

Step By Step Procedure to Implement Soap to JDBC Scenario Step By Step Procedure to Implement Soap to JDBC Scenario Applies to This scenario is implemented in PI 7.0 server, service pack: 14. For more information, visit the SOA Management homepage. Summary This

More information

SAP BusinessObjects Translation Manager Functionality and Use

SAP BusinessObjects Translation Manager Functionality and Use SAP BusinessObjects Translation Manager Functionality and Use Applies to: SAP BusinessObjects Enterprise XI 3.0, SAP BusinessObjects Enterprise XI 3.1 all support packs. For more information, visit SAP

More information