Trace the transport req

Hi friends,
Got a query on transport req.
I have a cube with update rules in PROD, but these update rules are not existing for the particular cube in DEV, I guess it got deleted in Dev and changes not moved to production.
How Can I able to find the request under this deletion has performed ?
Regards...
Bala

Hi,
You need to fetch the technical ID of your update rules, which you can get it from Meta data repository and then search in SE03 for the transport request that has changed.
Hope this helps
Regards,
Srini

Similar Messages

  • Hihaving a query like that who has done the Transport? How can i trace who

    having a query like that who has done the Transport? How can i trace who has done the transport (Import).
    I have tried with following steps but unable to find the right person.
    1. Go to TMS and disply the appropriate queue.
    2. Select menu path: Goto>Import History.
    3. Select menu path: Edit> Dipaly More.
    4. This will give the the "User" column.
    But my problem is the transport has happened long back. is there any other way to find out old import request who has done the transport.
    Please someone help me out on this.

    Do this may it can help you.
    At the last step where you had given "diaplay more"
    do this inspite of that:
    Extras --> Personal Settings
    Check the option "Query Interval Time" and try again.
    Best of luck !!!

  • How to Trace all the Transport Requests on a machine ?

    Hi,
    I am need of a procedure to find out all the transport requests (Workbench or Cusomizing) created on a particular Computer based on its IP address or the Host name ...
    Or In other words....
    If there are multiple users(>20) using the same Development USER ID and PASSWORD (Say SAPDEV)... How can I track which person has created a particular request based upon the person's PC IP address or Hostname ?
    Thanks in Advance...
    Regards,
    Mohammed Anwar...

    Congratulations to tell on a public SAP forum that you don't pay the SAP developpers licenses !
    That is very smart and will surely please a lot the SAP Company !

  • 16: The transport tool terminated due to an internal error(transport req)

    Hi friends,
    i created one transport request for transporting custom appset to quality system.
    while importing in quality i'm getting request in red color. checked log:
    Unexpected EOF after 88079651 bytes
    Ended with return code:  ===> 16 <===
    16: The transport tool terminated due to an internal error.
    we intially transported Non BPC cubes, along with that infoarea name(/cpmb/bpc) came. But i'm able to see several /cpmb/xx infoobjects. I manually moved from infoarea(/CPMB/BPC) to other infoarea(ybpc) with new request in quality. next i'm trying to delete /cpmb/xx infoobejcts through one program(around 700 infoobjects are exists). can i use ujt_content_activate program to delete contents of appset, if i use that program what i have to mention in content version field? can anyone eloborate usage of ujs_activate_content? we are on bpc75nw sp04
    any suggestions pls to import request correctly.
    thanks,

    continution to above question. sequence of things happend in our side.
    Few BW cubes(not bpc), which are getting data from bpc applications(bpc cubes) via APD are transported. Imported to quality succesfully.
    Next  transferred around 5 BADIs(classes & enhancement implementations) to quality system, which were written for moving data among bpc applications as well for few calculations in plng applications. Succefully imported into quality system and checked respecive BADIs.
    Next trying to transport custom appset. while importing facing above problem. Followed SAP how-to guides/methods.
    any suggestions pls.

  • How to find the deleted transport req logs.

    Hello gurus,
    in my DEV box some body was deleted the transport request.
    i need to know that by whom that request was deleted. the thing is that request was not released  and not imported into any system. that request was deleted after the creation.
    but now i am confused how to check the logs. i have searched the log file in trans directory and also SLOG,ALOG.
    i guess there is no use of import history in STMS because that request not existed in the system?
    then how can i find the deleted person. and time.
    Could you please do let me know.
    help would be heighly appreciated.
    Regards,
    srini.

    hi!
    Are you sure that the transport request was deleted?
    Perhaps Transport request is a local transport and when you release the transport it will not create the export files.
    FF

  • TcpListener not working on Azure: Unable to read data from the transport connection: An existing connection was forcibly closed by the remote host

    Hi Everybody,
    i'm playing a little bit with Windows Azure and I'm blocked with a really simple issue (or maybe not).
    I've created a Cloud Service containing one simple Worker Role. I've configured an EndPoint in the WorkerRole configuration, which allows Input connections via tcp on port 10100.
    Here the ServiceDefinition.csdef file content:
    <?xml version="1.0" encoding="utf-8"?>
    <ServiceDefinition name="EmacCloudService" xmlns="http://schemas.microsoft.com/ServiceHosting/2008/10/ServiceDefinition" schemaVersion="2014-01.2.3">
    <WorkerRole name="TcpListenerWorkerRole" vmsize="Small">
    <Imports>
    <Import moduleName="Diagnostics" />
    <Import moduleName="RemoteAccess" />
    <Import moduleName="RemoteForwarder" />
    </Imports>
    <Endpoints>
    <InputEndpoint name="Endpoint1" protocol="tcp" port="10100" />
    </Endpoints>
    </WorkerRole>
    </ServiceDefinition>
    This WorkerRole is just creating a TcpListener object listening to the configured port (using the RoleEnvironment instance) and waits for an incoming connection. It receives a message and returns a hardcoded message (see code snippet below).
    namespace TcpListenerWorkerRole
    using System;
    using System.Net;
    using Microsoft.WindowsAzure.ServiceRuntime;
    using System.Net.Sockets;
    using System.Text;
    using Roche.Emac.Infrastructure;
    using System.IO;
    using System.Threading.Tasks;
    using Microsoft.WindowsAzure.Diagnostics;
    using System.Linq;
    public class WorkerRole : RoleEntryPoint
    public override void Run()
    // This is a sample worker implementation. Replace with your logic.
    LoggingProvider.Logger.Info("TcpListenerWorkerRole entry point called");
    TcpListener listener = null;
    try
    listener = new TcpListener(RoleEnvironment.CurrentRoleInstance.InstanceEndpoints["Endpoint1"].IPEndpoint);
    listener.ExclusiveAddressUse = false;
    listener.Start();
    LoggingProvider.Logger.Info(string.Format("TcpListener started at '{0}:{1}'", RoleEnvironment.CurrentRoleInstance.InstanceEndpoints["Endpoint1"].IPEndpoint.Address, RoleEnvironment.CurrentRoleInstance.InstanceEndpoints["Endpoint1"].IPEndpoint.Port));
    catch (SocketException ex)
    LoggingProvider.Logger.Exception("Unexpected exception while creating the TcpListener", ex);
    return;
    while (true)
    Task.Run(async () =>
    TcpClient client = await listener.AcceptTcpClientAsync();
    LoggingProvider.Logger.Info(string.Format("Client connected. Address='{0}'", client.Client.RemoteEndPoint.ToString()));
    NetworkStream networkStream = client.GetStream();
    StreamReader reader = new StreamReader(networkStream);
    StreamWriter writer = new StreamWriter(networkStream);
    writer.AutoFlush = true;
    string input = string.Empty;
    while (true)
    try
    char[] receivedChars = new char[client.ReceiveBufferSize];
    LoggingProvider.Logger.Info("Buffer size: " + client.ReceiveBufferSize);
    int readedChars = reader.Read(receivedChars, 0, client.ReceiveBufferSize);
    char[] validChars = new char[readedChars];
    Array.ConstrainedCopy(receivedChars, 0, validChars, 0, readedChars);
    input = new string(validChars);
    LoggingProvider.Logger.Info("This is what the host sent to you: " + input+". Readed chars=" + readedChars);
    try
    string orderResultFormat = Encoding.ASCII.GetString(Encoding.ASCII.GetBytes("\xB")) + @"MSH|^~\&|Instrument|Laboratory|LIS|LIS Facility|20120427123212+0100||ORL^O34^ORL_O34| 11|P|2.5.1||||||UNICODE UTF-8|||LAB-28^IHE" + Environment.NewLine + "MSA|AA|10" + Environment.NewLine + @"PID|||patientId||""""||19700101|M" + Environment.NewLine + "SPM|1|sampleId&ROCHE||ORH^^HL70487|||||||P^^HL70369" + Environment.NewLine + "SAC|||sampleId" + Environment.NewLine + "ORC|OK|orderId|||SC||||20120427123212" + Encoding.ASCII.GetString(Encoding.ASCII.GetBytes("\x1c\x0d"));
    writer.Write(orderResultFormat);
    catch (Exception e)
    LoggingProvider.Logger.Exception("Unexpected exception while writting the response", e);
    client.Close();
    break;
    catch (Exception ex)
    LoggingProvider.Logger.Exception("Unexpected exception while Reading the request", ex);
    client.Close();
    break;
    }).Wait();
    public override bool OnStart()
    // Set the maximum number of concurrent connections
    ServicePointManager.DefaultConnectionLimit = 12;
    DiagnosticMonitor.Start("Microsoft.WindowsAzure.Plugins.Diagnostics.ConnectionString");
    RoleEnvironment.Changing += RoleEnvironment_Changing;
    return base.OnStart();
    private void RoleEnvironment_Changing(object sender, RoleEnvironmentChangingEventArgs e)
    // If a configuration setting is changing
    LoggingProvider.Logger.Info("RoleEnvironment is changing....");
    if (e.Changes.Any(change => change is RoleEnvironmentConfigurationSettingChange))
    // Set e.Cancel to true to restart this role instance
    e.Cancel = true;
    As you can see, nothing special is being done. I've used the RoleEnvironment.CurrentRoleInstance.InstanceEndpoints to retrieve the current IPEndpoint.
    Running the Cloud Service in the Windows Azure Compute Emulator everything works fine, but when I deploy it in Azure, then I receive the following Exception:
    2014-08-06 14:55:23,816 [Role Start Thread] INFO EMAC Log - TcpListenerWorkerRole entry point called
    2014-08-06 14:55:24,145 [Role Start Thread] INFO EMAC Log - TcpListener started at '100.74.10.55:10100'
    2014-08-06 15:06:19,375 [9] INFO EMAC Log - Client connected. Address='196.3.50.254:51934'
    2014-08-06 15:06:19,375 [9] INFO EMAC Log - Buffer size: 65536
    2014-08-06 15:06:45,491 [9] FATAL EMAC Log - Unexpected exception while Reading the request
    System.IO.IOException: Unable to read data from the transport connection: An existing connection was forcibly closed by the remote host. ---> System.Net.Sockets.SocketException: An existing connection was forcibly closed by the remote host
    at System.Net.Sockets.NetworkStream.Read(Byte[] buffer, Int32 offset, Int32 size)
    --- End of inner exception stack trace ---
    at System.Net.Sockets.NetworkStream.Read(Byte[] buffer, Int32 offset, Int32 size)
    at System.IO.StreamReader.ReadBuffer(Char[] userBuffer, Int32 userOffset, Int32 desiredChars, Boolean& readToUserBuffer)
    at System.IO.StreamReader.Read(Char[] buffer, Int32 index, Int32 count)
    at TcpListenerWorkerRole.WorkerRole.<>c__DisplayClass0.<<Run>b__2>d__0.MoveNext() in C:\Work\Own projects\EMAC\AzureCloudEmac\TcpListenerWorkerRole\WorkerRole.cs:line 60
    I've already tried to configure an internal port in the ServiceDefinition.csdef file, but I get the same exception there.
    As you can see, the client can connect to the service (the log shows the message: Client connected with the address) but when it tries to read the bytes from the stream, it throws the exception.
    For me it seems like Azure is preventing the retrieval of the message. I've tried to disable the Firewall in the VM in Azure and the same continues happening.
    I'm using Windows Azure SDK 2.3
    Any help will be very very welcome!
    Thanks in advance!
    Javier
    En caso de que la respuesta te sirva, porfavor, márcala como válida
    Muchas gracias y suerte!
    Javier Jiménez Roda
    Blog: http://jimenezroda.wordpress.com

    hi Javier,
    I changed your code like this:
    private AutoResetEvent connectionWaitHandle = new AutoResetEvent(false);
    public override void Run()
    TcpListener listener = null;
    try
    listener = new TcpListener(
    RoleEnvironment.CurrentRoleInstance.InstanceEndpoints["Endpoint"].IPEndpoint);
    listener.ExclusiveAddressUse = false;
    listener.Start();
    catch (SocketException se)
    return;
    while (true)
    IAsyncResult result = listener.BeginAcceptTcpClient(HandleAsyncConnection, listener);
    connectionWaitHandle.WaitOne();
    The HandleAsync method is your "While (true)" code:
    private void HandleAsyncConnection(IAsyncResult result)
    TcpListener listener = (TcpListener)result.AsyncState;
    TcpClient client = listener.EndAcceptTcpClient(result);
    connectionWaitHandle.Set();
    NetworkStream netStream = client.GetStream();
    StreamReader reader = new StreamReader(netStream);
    StreamWriter writer = new StreamWriter(netStream);
    writer.AutoFlush = true;
    string input = string.Empty;
    try
    char[] receivedChars = new char[client.ReceiveBufferSize];
    // LoggingProvider.Logger.Info("Buffer size: " + client.ReceiveBufferSize);
    int readedChars = reader.Read(receivedChars, 0, client.ReceiveBufferSize);
    char[] validChars = new char[readedChars];
    Array.ConstrainedCopy(receivedChars, 0, validChars, 0, readedChars);
    input = new string(validChars);
    // LoggingProvider.Logger.Info("This is what the host sent to you: " + input + ". Readed chars=" + readedChars);
    try
    string orderResultFormat = Encoding.ASCII.GetString(Encoding.ASCII.GetBytes("\xB")) + @"MSH|^~\&|Instrument|Laboratory|LIS|LIS Facility|20120427123212+0100||ORL^O34^ORL_O34| 11|P|2.5.1||||||UNICODE UTF-8|||LAB-28^IHE" + Environment.NewLine + "MSA|AA|10" + Environment.NewLine + @"PID|||patientId||""""||19700101|M" + Environment.NewLine + "SPM|1|sampleId&ROCHE||ORH^^HL70487|||||||P^^HL70369" + Environment.NewLine + "SAC|||sampleId" + Environment.NewLine + "ORC|OK|orderId|||SC||||20120427123212" + Encoding.ASCII.GetString(Encoding.ASCII.GetBytes("\x1c\x0d"));
    writer.Write(orderResultFormat);
    catch (Exception e)
    // LoggingProvider.Logger.Exception("Unexpected exception while writting the response", e);
    client.Close();
    catch (Exception ex)
    //LoggingProvider.Logger.Exception("Unexpected exception while Reading the request", ex);
    client.Close();
    Please try it. For this error message, I suggest you could refer to this thread (http://stackoverflow.com/questions/6173763/using-windows-azure-to-use-as-a-tcp-server
    ) and this post (http://stackoverflow.com/a/5420788).
    Regards,
    Will
    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.

  • How to trace the RevTrac carrying changes for a given system table?

    Hi everyone!
    In our company we have a case of a change no one in the team states to have done, therefore we do not know the RevTrac number that carries the changes. Currently, the development system is different from the QA, staging and production systems for our ERP.
    Is there a transaction/program that traces changes for a given table and field specified accross a given environment-client?

    HI Nicolas,
    I chatted with Rev-Trac support earlier today and here is what they have come back to me with.
    Assuming the change in question was carried out in the development  system. Changes to fields in tables should in most cases be captured in transports. Assuming it was a transportable change then go to the development system and execute transaction SE16 and query Rev-Trac table /RSC/T_MFM_4T filtering by TABLENAME.
    On executing the query you should see a list of transports involved with changes to the transport. You can then check to see if there is a recent transport associated with the change - if so then you can find out who created the transport by using standard SAP functionality."
    If you find this doesn't help, then please contact your Rev-Trac Administrator who can then log a support request on our support portal at www.xrsc.com
    Hope this helps, Rick

  • Transport Req  issue

    Hi All,
    I am not a basis person, but by a bit bad luck i created a transport request in which though i intended to include only my objects , i included lot of unnecessary req, and they are all coming directly under the main req number in , ie in "Object List of Request"...and untill and unless I delete all the objects individually I cannot delete my transport....also when ever i tried to make changes to ne objects ....i find it locked in this transport ... want to get rid of it one shot...ne help will be really appreciated.
    Thanks
    Tina

    Hi Tina,
          you need to delete unneccessary objects from your request either through ST03 transacation or by doubling clicking the task and go to change mode of the task. On the object tabe , you find all the objects that are collected in the reauest. Then you can choose all the un wanted objects and delete them from there. It will difficult if you have collect query elements in them as you may be in position to identify these query elements . But you can easly identify the other un wanted object and delete them. you can also have multi select options to delete them.
    Other option is to release the request from DEVELOPMENT SYSTEM and don't import that into the Q/A or Production system which I would perfer rather than deleted the objects from the requests.
    I also recommend when you collect your objects through transport connection please ensure you use only neccessary object option.
    Hope this helps.
    cheers,
    Balaji

  • What are the pre reqs to learn XI

    Hi..
    Can any one suggest me what all the pre req's that i need to learn so that i can learn XI. I am new to this field, so can any one suggest me how to start?
    thank you.
    kishore karnati

    Kishore
    If you know basic concepts of Java, ABAP and XML it would be a added advantage to learn and understand XI very quickly.
    As you may XI is SAP's middleware solution, providing integration capabilities for SAP and non-SAP solutions alike. It is becoming increasingly important in any SAP implementation, mostly because it makes integration to SAP systems easy to implement. Also, SAP's newer solutions like SRM and MDM use XI's capabilities natively.
    SO if you are interested in working with XI, that is agood thing. It is quite different from EP though, because EP is very user and front-end oriented, whereas a good XI implementation is invisible to the end-users.
    An certification is a good thing to have, and XI is no different. But as in any other SAP solution, the certification is no substitute for hands-on experience on XI... which is what you must get as soon as you can.
    new sap xi
    NEW TO xi
    When you have xi system practice this simple scenarios for starters:
    Following are the links to weblogs which will help to develop the basic scenarios.
    /people/prateek.shah/blog/2005/06/08/introduction-to-idoc-xi-file-scenario-and-complete-walk-through-for-starters - IDoc to File
    /people/ravikumar.allampallam/blog/2005/03/14/abap-proxies-in-xiclient-proxy - ABAP Proxy to File
    /people/sap.user72/blog/2005/06/01/file-to-jdbc-adapter-using-sap-xi-30 - File to JDBC
    /people/prateek.shah/blog/2005/06/14/file-to-r3-via-abap-proxy - File to ABAP Proxy
    /people/venkat.donela/blog/2005/03/02/introduction-to-simplefile-xi-filescenario-and-complete-walk-through-for-starterspart1 - File to File Part 1
    /people/venkat.donela/blog/2005/03/03/introduction-to-simple-file-xi-filescenario-and-complete-walk-through-for-starterspart2 - File to File Part 2
    /people/ravikumar.allampallam/blog/2005/06/24/convert-any-flat-file-to-any-idoc-java-mapping - Any flat file to any Idoc
    /people/arpit.seth/blog/2005/06/27/rfc-scenario-using-bpm--starter-kit - File to RFC
    https://www.sdn.sap.com/irj/sdn/weblogs?blog=/pub/wlg/1685 [original link is broken] [original link is broken] [original link is broken] [original link is broken] [original link is broken] [original link is broken] [original link is broken] - File to Mail
    /people/jayakrishnan.nair/blog/2005/06/20/dynamic-file-name-using-xi-30-sp12-part--i - Dynamic File Name Part 1
    /people/jayakrishnan.nair/blog/2005/06/28/dynamic-file-namexslt-mapping-with-java-enhancement-using-xi-30-sp12-part-ii - Dynamic File Name Part 2
    /people/michal.krawczyk2/blog/2005/03/07/mail-adapter-xi--how-to-implement-dynamic-mail-address - Dynamic Mail Address
    /people/siva.maranani/blog/2005/05/25/understanding-message-flow-in-xi - Message Flow in XI
    /people/krishna.moorthyp/blog/2005/06/09/walkthrough-with-bpm - Walk through BPM
    /people/siva.maranani/blog/2005/05/22/schedule-your-bpm - Schedule BPM
    /people/sriram.vasudevan3/blog/2005/01/11/demonstrating-use-of-synchronous-asynchronous-bridge-to-integrate-synchronous-and-asynchronous-systems-using-ccbpm-in-sap-xi - Use of Synch - Asynch bridge in ccBPM
    https://www.sdn.sap.com/irj/sdn/weblogs?blog=/pub/wlg/1403 [original link is broken] [original link is broken] [original link is broken] [original link is broken] [original link is broken] [original link is broken] [original link is broken] - Use of Synch - Asynch bridge in ccBPM
    /people/michal.krawczyk2/blog/2005/08/22/xi-maintain-rfc-destinations-centrally - Maintain RFC destination centrally
    /people/sravya.talanki2/blog/2005/08/18/triggering-e-mails-to-shared-folders-of-sap-is-u - Triggering Email from folder
    /people/sravya.talanki2/blog/2005/08/17/outbound-idocs--work-around-using-party - Handling different partners for IDoc
    /people/siva.maranani/blog/2005/08/27/modeling-integration-scenario146s-in-xi - Modeling Integration Scenario in XI
    /people/michal.krawczyk2/blog/2005/08/25/xi-sending-a-message-without-the-use-of-an-adapter-not-possible - Testing of integration process
    /people/michal.krawczyk2/blog/2005/05/25/xi-how-to-add-authorizations-to-repository-objects - Authorization in XI
    http://help.sap.com/saphelp_nw04/helpdata/en/58/d22940cbf2195de10000000a1550b0/content.htm - Authorization in XI
    /people/michal.krawczyk2/blog/2005/09/09/xi-alerts--step-by-step - Alert Configuration
    /people/michal.krawczyk2/blog/2005/09/09/xi-alerts--troubleshooting-guide - Trouble shoot alert config
    /people/sameer.shadab/blog/2005/09/21/executing-unix-shell-script-using-operating-system-command-in-xi - Call UNIX Shell Script
    /people/sravya.talanki2/blog/2005/11/02/overview-of-transition-from-dev-to-qa-in-xi - Transport in XI
    /people/r.eijpe/blog/2005/11/04/using-abap-xslt-extensions-for-xi-mapping - Using ABAP XSLT Extensions for XI Mapping
    /people/prasad.ulagappan2/blog/2005/06/07/mail-adapter-scenarios-150-sap-exchange-infrastructure - Mail Adaptor options
    /people/pooja.pandey/blog/2005/07/27/idocs-multiple-types-collection-in-bpm - Collection of IDoc to Single File
    /people/sap.user72/blog/2005/11/17/xi-controlling-access-to-sensitive-interfaces - Controlling access to Sensitive Interfaces
    /people/michal.krawczyk2/blog/2005/11/10/xi-the-same-filename-from-a-sender-to-a-receiver-file-adapter--sp14 - The same filename from a sender to a receiver file adapter - SP14
    /people/prasad.illapani/blog/2005/11/14/payload-based-message-search-in-xi30-using-trex-engine - Payload Based Message Search in XI30 using Trex Engine
    /people/sap.user72/blog/2005/11/24/xi-configuring-ccms-monitoring-for-xi-part-i - XI : Configuring CCMS Monitoring for XI- Part I
    /people/michal.krawczyk2/blog/2005/11/23/xi-html-e-mails-from-the-receiver-mail-adapter - XI: HTML e-mails from the receiver mail adapter
    /people/sap.user72/blog/2005/11/22/xi-faqs-provided-by-sap-updated - XI : FAQ's Provided by SAP
    ---Satish

  • Transport req. generation for standard text

    Hi,
    I have done changes in standard text in trans. SO10 and could anyone let me know like how to generate transport req. for these changes for moving the same to Quality as i didnt get any transport req. generaton while i was trying to save my changes.
    Please advise.
    Thanks
    Naga

    HI,
    Don't provide any value to this field  'Name of correction '
    Name of correction  - blank
    Text key - object    -  TEXT
    Text key - name    - <Object  name created in SO10'
    Text key - ID         - 'ST'
    Text key - language - 'EN'
    Press F8 now you can see the you Text Object
    - select your text object and press enter.
    - now you can see the button in application toolbar 'Trsfr text to corr' press this button
    - you get the pop up window for the TR.

  • How to trace the wdy application from Portal link?

    Hi
    I have a  req to work with a application,which show the salary slip,through ESS portal,but I am not able to trace out the webdynpro application,is is running behing this?
    can any oe pls tell how to trace out the application,if worked any time.
    secondly req is to insert the logo in the salary slip,when we clk in the SALARY button,its display the slip as PDF,please tell how this PDF is attached inside the application,as if its a Z smart form,than i can insert the logo in it & can reinsert in the webdynpor application,as I think its a case of z smrtform which is called or linked on webdynpro.
    pls tell how to trace the standard application or the smart form.
    regds

    Hi Vipin,
    You can get the webdynpro application name from the portal link or you can ask portal team to get you the webdynpro
    application name from the portal iView of salary slip application.
    After that go to SICF tcode.
    Search for the application name by entering the application name against the field SERVICE NAME and press F8 (execute).
    The system will find you the SICF service for that webdynpro application. Select that service from the list.
    Now click on menu GOTO->OBJECT DIRECTORY ENTRY and get the package name from the popup window.
    Go to tcode SE80 and open that package.
    Expand node Web dynpro->Web Dynpro Applicat.  and find the application there.
    Double click on the application.
    Get the web dynpro component from the application parameter.
    Open the Web Dynpro component in se80 and do the changes as required.
    Regards,
    Vikrant

  • Transport Req number is not  appearing

    Hi ABAPers,
    i implemented Zreport program in client 300. it has tr.req.number. when i want to release this, this tr.req number is not appearing in se09/se10. what could be the reason. please explain me.
    landscape is : 100:Dev client. 200:Client  300 config only
    Thanks in advance.
    hari

    Transport Request within same Server Different Clients
    I have 3 clients under one SID (dev 130,140,150). 
    And we have more than 400+ transport requests in client 130.  How can we transport these requests to other clients of 140 & 150.  If I want to use tcode SCC1, that can be done only one tran. request at one time. 
    Do I need to write a script within unix? 
    SAP 4.6C
    Oracle 9.2
    AIX 5.2
    Mohd Zainizam 
    Try STMS.
    Click on the "import overview"
    Double click on your target system
    Click "refresh"
    Click on "import all request" or ctrl+F9
    Specify the target client 
    Execute the transport
    Done...
    Ronald Ramos 
    But this will import all request.....thousands of them...
    Mohd Zainizam 
    You can use Extended Transport Control.
    Extended Transport Control is another way to set up the Transport Route so that the route is system and CLIENT specific. 
    In other words, when you release a change request in DEV Client 0XX it will not only automatically be added to the Import Queue for QAS but also 0X1, 0X2, of DEV. 
    To set this up requires the steps below: 
    1)   Open the file TP_DOMAIN_DEV.PFL (located on your transport domain controller such as the DEV box. The file will be in usrsaptrans/bin) 
    Edit with notepad for each parameter on each system: 
    DEV/CTC = 0 
    Change to =1 
    2)   Next you need to create Target Group before creating the transport route. 
    Create a Target Group: 
    Access the initial screen of the graphical or the hierarchical editor in change mode. STMS > Overview > Transport Routes (the default editor will appear, either Hierarchical or Graphical, to change the default editor : STMS > Extras > Settings > Transport Routes. You can also switch to one or the other from Goto > Graphical Editor.) 
    > Configuration > Display Change > (or change icon or F5) 
    Edit > Transport Target Groups > Create 
    In the dialog box, Create Target Group: 
    Enter a name for the target group /GR_QA/ (The name must begin and end with a forward slash /) 
    ...and a description Targets for Consolidation route 
    Choose "Insert line" 
    Enter the required target system/client combinations 
    Use a separate line for each client. 
    Example: 
    Target System 
    Target Client 
    Client Name 
    DEV 
    0X1 
    Sandbox 
    DEV 
    0X2 
    Testing 
    QAS 
    0XX 
    Quality Assurance System 
    The idea is that we want to include the clients that will get an addition to their import queue when we release a change request from DEV. 
    Choose Transfer 
    Now you have to change the transport route to include the Target Group you created. 
    STMS > Overview > Transport Routes > F5 (change mode) Edit > Transport Routes > Delete 
    Now create a Transport Route with Extented Transport Control: 
    STMS > Overview > Transport Routes > F5 (change mode) Edit > Transport Routes > Create > Extended Transport Control icon at lower left of dialog box. > Consolidation route, enter integration system and transport layer. In Target system/client enter the SID of either an R/3 System and a client or an existing Target Group. 
    Each System must be specified by System and Client. The Target Group can be used for the consolidation system. 
    Distribute and activate the changes as usual by choosing Configuration > Distribute and activate 
    NOTE: After you set up Extended Transport Control there might be requests in an import queue that will show a red status in the CTL column. This is because these change requests need a client specified before they can be imported. These are old requests that were already in the queue. 
    From Import Queue Screen Mark the change request 
    Choose Request > Target Client > Set 
    Enter the Target Client ID and choose Enter. 
    To change a target client before starting an import: 
    Import Queue Screen > mark Change request > target client > change > enter target client id and choose enter.
    Hope this helps.
    Good luck!

  • Lock Role for Changes till the transport is released

    Issue : since roles are managed by multiple security administrators, changes are moving against the sequence.
    We have multiple security administrators, is there a way to lock a role for changes until the task/ req is released.
    Example Scenario :
    Security admin 1 : if there is a change request to add SU01 to the role: Z_TESTROLE, Security admin adds it and creates a Change request but does not release it.
    Security Admin 2 : the security admin 2 will get a Change req for the same role Z_TESTROLE to add a tcode PFCG to it. Security admin 2 does his job and moves his transport now even though the first transport does not move the change made by the first security admin moves with the transport for the second admin.
    We have multiple security administrators, is there a way to lock a role for changes until the task/ req is released.

    Hi all,
    Thanks for your responses.we follow a change procedure but I guess its just needs to be refined. Everybody figured out that this is a coordination issue but I was asked to research on any technical ability to handle this.
    Here is a brief overview of our process :
    1) BPO approves the change
    2) Role owner support manager approves the change
    then the Change request comes to 3)Security Manager for her approval.
    I feel from Sox prespective the 3rd approval in not manadatory.
    I'm I correct ??? where can I find Sox guide for SAP ?
    Recap of the incident:
    1)A change ticket is created for the t-code creation and a task is created for the role in which this report is to be added.
    State I role Z_TESTROLE  is with ZMMR0025
    After adding the new report ZMMR0055 the old report ZMMR0025 is removed.
    State II
    The role Z_TESTROLE has tcode ZMMR0055
    now this is tested in development system by the requestor.
    Before this goes into PRD via QA a newsflash is sent to all the endusers (so that they know which t-code to use)
    Meanwhile if another security administrator works (suppose adds a new tcode or changes an authorization)  on this while the role is in state II changes made by Admin 1 are transported along with the second change.
    State II + new changes = State III
    When the role reaches PRD in state III result is the end user losses access to the required functionality ZMMR0025 before ZMMR0055 is made available.
    I hope I’m clear , please let me know if I need to be more specific on any part.
    I appreciate your help.
    regards,
    Salman.

  • Function Module not being displayed in the Transport Request

    Hi,
    I Created a FM "RH_ACTIVATE_WFOBJECT_AFTER_IMP"  in my SAP System. After I created due to problem in editing I have deleted the FM and also deleted it from the request.
    I have re created the function module and if I see the object directory entry I find the following
    Identical request locks
    Request              User         Task/request         Object          
                       ****            *****                       R3TR FUGR RHWS  
    In the request I cannot find the function module but only the function group. Please help me to get my function module visible in the transport request.

    Hi ,
    When your creating the FM for first timw with new FGRP then no need to worry .
    You can see only the FGRP in the transport request number and when you move this transport request to further systems your FM automatically transport with the FGRP.
    Next time when your creating a new FM under the FGRP which is already moved to production you can see only your FM name under the transport request.
    When you go to FGRP main program by follwing the path
    FGRP -> Disply FGRP in SE37 you can see the main program of the FGRP there if you see one include with TOP and XX .
    double click on the XX Include.
    there you can see allthe FM under that FGRP.
    Thanks
    Naresh

  • I lost my Iphone 4s and I need the iMei number to trace. THAT fellow actually off my phone at my last location.I dont have sim on that i phone.I am trying to trace the iphone through find my phone but it showing offline. Thus another way of solving w

    I lost my Iphone 4s and I need the iMei number to trace. THAT fellow actually off my phone at my last location.I dont have sim on that i phone.I am trying to trace the iphone through find my phone but it showing offline. Thus another way of solving will be through IMEI number which i need to hand it over to the police! How can i get the iMei number? Can I use Itune? As previously, I did sync into iTunes before. Will it have the record of my iMEI number? PLEASE HELP ME!
    iPhone 4S, iOS 7.0.1

    how to find IMEI, etc
    http://support.apple.com/kb/HT4061?viewlocale=en_US&locale=en_US

Maybe you are looking for