Lst of all PDS in system

HI,
I want to list all products for a location with the type of PDS (all possible entries of pds for locationproduct).
I tried to use SAPAPO/CURTO_SIMU - Display Production Data Structures  in it i selected all products and location by selecting multopal selection option and active version.
But after execution , it returns with no values.
So can any buddy help me in generating the list of all PDS in the system for all the product.
Thanks in advance.
Regards

Hi ,
As senthil suggest  there may be some missing master data in which
the PDS data has not generated from ECC.
CURTO_SIMU does have limitations.
One way to get this list is to go to table /sapapo/trprod where trptype = 5 for PDS.
This will list the PDS' all at once (field NAME contains the PDS name and field PPMTXT contains the description). The product and location are embedded in the name of the PDS or you can look up matid/locto (or you could create a view) using matkey/lockey or /sapapo/v_matloc .
Hope it helps you.
Regards
Ritesh

Similar Messages

  • To get the logical system names of all the child systems in a CUA envirnmnt

    Hi Gurus ,
    Is there any table where we can find the logical system names of all the child sytems in a CUA environment .
    This is for a requirement that i need to develop an automated process where we can reset the password of all the child system in a CUA environemt when requested by the user at once .
    I found some tables such as V_TBDLS , but they do not contain the exact information what i need .
    Thanks in advance ,
    Harshit Rungta

    Hi,
    You are in the right track. BD54 will show you the logical system name for all the existed systems in CUA.
    Else you can also go to your CUA system and execute t-code SALE --> Basic Setting --->Logical Systems  ---> Assign logical system to client -
    > Display details
    here you can see logical system names for all the clients assigned to CUA.
    Thanks,
    Deb

  • How to get the list of roles assigned to a user in all the child systems

    how to get the list of roles assigned to a user in all the child systems from CUA SYSTEM

    Try transaction SUIM in your CUA system. Go to user, cross-system information, users by roles. If you run it wide open, you'll get all users and all roles assigned for all systems managed in your CUA.
    Krysta

  • A transacction or table which can display all the souce system

    Hi,
    Is there any transaction or table which can display all the source systems?
    Thanks in advance.

    RSA1->Modeling-> Click on Source Systems, here you can see all the source systems connected with BW.
    tcode: SM59 & expand all the connections. Here you can see all the connections.
    Hope it helps..

  • Powershell script to get list of softwares installed as shown in registry on all the remote systems in a txt file

    Hi
    I need to know the command for getting list of softwares installed on all the remote systems in network  which are existing in their respective registry like HKEY_LOCAL_MACHINE\SOFTWARE of all other systems

    Hey
    Sorry this isn't powershell but it should do the job if you want to use it. The problem with using the Win32_Product WMI Class to enumerate the installed software (especially on Windows 2000 & 2003 Servers) is that the WMI class is NOT installed by default. Here is a VBScript i wrote to read a list of hostnames from a text file named "ComputerNames.txt" from the scripts directory and attempt to remotely enumerate all subkeys within the following registry key
    HKLM\Software\Microsoft\Windows\CurrentVersion\Uninstall
    For each subkey enumerated it will attempt to read the value of the "DisplayName" key and output the results to a csv file.
    (the results should be the same as what you would see when you open Add/Remove Programs)
    Hope that helps
    Cheers
    Matt :)
    'Script Name : CheckInstalledSoftware.vbs
    'Author : Matthew Beattie
    'Created : 01/03/10
    'Description : This script reads a list of hostnames from a text file name "ComputerNames.txt" in the scripts working
    ' : directory. For each hostName it requests an ICMP response and if successfull attempts a remote registry
    ' : connection to enumerate and read the registry values of installed software. All results are logged to the
    ' : scripts working directory in a log file per computer name.
    'Initialization Section
    Option Explicit
    Const ForReading = 1
    Const ForAppending = 8
    Dim objFSO, wshNetwork, wshShell, hostName
    Dim scriptBaseName, scriptPath, scriptLogPath
    On Error Resume Next
    Set objFSO = CreateObject("Scripting.FileSystemObject")
    Set wshShell = CreateObject("WScript.Shell")
    Set wshNetwork = CreateObject("WScript.Network")
    scriptBaseName = objFSO.GetBaseName(Wscript.ScriptFullName)
    scriptPath = objFSO.GetFile(Wscript.ScriptFullName).ParentFolder.Path
    scriptLogPath = scriptPath & "\" & IsoDateString(Now)
    If Err.Number <> 0 Then
    Wscript.Quit
    End If
    On Error Goto 0
    'Main Processing Section
    On Error Resume Next
    PromptStart
    ProcessScript
    If Err.Number <> 0 Then
    Wscript.Quit
    End If
    PromptEnd
    On Error Goto 0
    'Functions Processing Section
    'Name : ProcessScript -> Primary Function that controls all other script processing.
    'Parameters : None ->
    'Return : None ->
    Function ProcessScript
    Dim fileSpec, hostNames, regKey, keyName, results, result
    keyName = "DisplayName"
    regKey = "HKLM\Software\Microsoft\Windows\CurrentVersion\Uninstall"
    fileSpec = scriptPath & "\ComputerNames.txt"
    'Ensure the "ComputerNames.txt" file exists within the scripts working directory.
    If Not objFSO.FileExists(fileSpec) Then
    MsgBox DQ(fileSpec) & " does not exist!", vbCritical, scriptBaseName
    Exit Function
    End If
    'Read the list of hostNames from the "ComputerNames.txt" text file within the scripts working directory.
    If Not GetScriptInput(hostNames, fileSpec) Then
    Exit Function
    End If
    'Attempt to read the registry from each hostname read from the list of hostnames.
    For Each hostName In hostNames
    Do
    'Ensure the system responds to an ICMP request.
    If Not CheckConnection(hostName) Then
    LogMessage 2, "Failed to respond to an ICMP Request"
    Exit Do
    End If
    'Enumerate and read the registry values.
    If Not GetRegValues(results, hostName, keyName, regKey) Then
    Exit Do
    End If
    'Log the registry values results.
    For Each result In results
    LogMessage 0, result
    Next
    Loop Until True
    Next
    End Function
    'Name : GetScriptInput -> Reads a text file to be used as Script input.
    'Parameters : items -> Output: An array of items in the script input file.
    ' : fileSpec -> The full folder Path, file Name and extention of the script input file.
    'Return : GetScriptInput -> Returns an array of items for script input and True or False.
    Function GetScriptInput(items, fileSpec)
    Dim scriptInputFile, itemsDict, item
    GetScriptInput = False
    Set itemsDict = NewDictionary
    If Not objFSO.FileExists(fileSpec) Then
    Exit Function
    End If
    On Error Resume Next
    Set scriptInputFile = objFSO.OpenTextFile(fileSpec, ForReading)
    If Err.Number <> 0 Then
    Exit Function
    End If
    On Error Goto 0
    Do Until scriptInputFile.AtEndOfStream
    item = scriptInputFile.ReadLine
    If item = "" Then
    Exit Function
    End If
    If Not itemsDict.Exists(item) Then
    itemsDict.Add item, ""
    End If
    Loop
    items = itemsDict.Keys
    GetScriptInput = True
    End Function
    'Name : CheckConnection -> Checks a remote host using WMI ping.
    'Parameters : hostName -> Hostname of computer system to verify network connectivity with.
    'Return : Boolean -> True if hostname replies. False otherwise.
    Function CheckConnection(hostName)
    Dim ping, response, replied
    Set ping = GetObject("winmgmts:{impersonationLevel=impersonate}").ExecQuery _
    ("select * from Win32_PingStatus where address = '" & hostName & "'")
    For each response in ping
    replied = Not IsNull(response.StatusCode) And response.StatusCode = 0
    Next
    CheckConnection = replied
    End Function
    'Name : GetRegValues -> Enumerates the subkeys in a registry key and the values of the keyName.
    'Parameters : hostName -> String containing the hostName of the system to enumerate the registry keys on.
    ' : keyName -> String containing the name of the registry key value to enumerate.
    ' : regKey -> Registry key to enumerate subkey names for.
    'Return : GetRegValues -> Returns True and an Array containing the registry key values otherwise False.
    Function GetRegValues(results, hostName, keyName, regKey)
    Dim objReg, regDict, rootKey, hive, keyValue, subKeys, i
    GetRegValues = False
    rootKey = regKey
    hive = GetRegistryHiveFromKey(rootKey)
    On Error Resume Next
    If hive <> 0 Then
    'Create a dictionary object to store the registry values in.
    Set regDict = NewDictionary
    If Err.Number <> 0 Then
    LogMessage 1, "Creating Dictionary Object"
    Exit Function
    End If
    'Connect to the remote registry.
    Set objReg = GetObject("winmgmts:{impersonationLevel=impersonate}!\\" & hostName & "\root\default:StdRegProv")
    If Err.Number <> 0 Then
    LogMessage 1, "Creating StdRegProv Object"
    Exit Function
    End If
    'Enumerate the subkey names within the regKey paramater.
    objReg.EnumKey hive, rootKey, subKeys
    If Err.Number <> 0 Then
    LogMessage 1, "Enumerating Registry Keys"
    Exit Function
    End If
    'Ensure the results are an array.
    If Not IsArray(subKeys) Then
    subKeys = Array(subKeys)
    End If
    'Read the registry key value for each subkey. Add the results to the dictionary.
    For i = 0 to UBound(subKeys)
    objReg.GetStringValue hive, rootKey & "\" & subKeys(i), keyName, keyValue
    If Err.Number = 0 Then
    If Not IsNull(keyValue) Then
    regDict(regDict.Count) = keyValue
    End If
    Else
    Err.Clear
    End If
    Next
    End If
    On Error Goto 0
    results = regDict.Items
    GetRegValues = True
    End Function
    'Name : GetRegistryHiveFromKey -> Get the hive ID from a registry key name.
    'Parameters: Input/Output: key -> Registry key name. Hive name will be removed.
    'Return : GetRegistryHiveFromKey -> ID of hive of given key name (0 if invalid).
    ' : -> The hive name is removed from the input key name.
    Function GetRegistryHiveFromKey (key)
    Dim pos, hive
    pos = Instr (key, "\")
    If pos = 0 Then
    pos = Len(key) + 1
    End If
    hive = Left (UCase (Left (key, pos - 1)) & " ", 4)
    key = Mid (key, pos + 1)
    GetRegistryHiveFromKey = Array(0, &H80000000, &H80000001, &H80000002, &H80000003, &H80000005, &H80000006) _
    (Int ((Instr("HKCR,HKCU,HKLM,HKU ,HKCC,HKDD", hive) + 4) / 5))
    End Function
    'Name : NewDictionary -> Creates a new dictionary object.
    'Parameters : None ->
    'Return : NewDictionary -> Returns a dictionary object.
    Function NewDictionary
    Dim dict
    Set dict = CreateObject("scripting.Dictionary")
    dict.CompareMode = vbTextCompare
    Set NewDictionary = dict
    End Function
    'Name : DQ -> Place double quotes around a string and replace double quotes
    ' : -> within the string with pairs of double quotes.
    'Parameters : stringValue -> String value to be double quoted
    'Return : DQ -> Double quoted string.
    Function DQ (ByVal stringValue)
    If stringValue <> "" Then
    DQ = """" & Replace (stringValue, """", """""") & """"
    Else
    DQ = """"""
    End If
    End Function
    'Name : IsoDateTimeString -> Generate an ISO date and time string from a date/time value.
    'Parameters : dateValue -> Input date/time value.
    'Return : IsoDateTimeString -> Date and time parts of the input value in "yyyy-mm-dd hh:mm:ss" format.
    Function IsoDateTimeString(dateValue)
    IsoDateTimeString = IsoDateString (dateValue) & " " & IsoTimeString (dateValue)
    End Function
    'Name : IsoDateString -> Generate an ISO date string from a date/time value.
    'Parameters : dateValue -> Input date/time value.
    'Return : IsoDateString -> Date part of the input value in "yyyy-mm-dd" format.
    Function IsoDateString(dateValue)
    If IsDate(dateValue) Then
    IsoDateString = Right ("000" & Year (dateValue), 4) & "-" & _
    Right ( "0" & Month (dateValue), 2) & "-" & _
    Right ( "0" & Day (dateValue), 2)
    Else
    IsoDateString = "0000-00-00"
    End If
    End Function
    'Name : IsoTimeString -> Generate an ISO time string from a date/time value.
    'Parameters : dateValue -> Input date/time value.
    'Return : IsoTimeString -> Time part of the input value in "hh:mm:ss" format.
    Function IsoTimeString(dateValue)
    If IsDate(dateValue) Then
    IsoTimeString = Right ("0" & Hour (dateValue), 2) & ":" & _
    Right ("0" & Minute (dateValue), 2) & ":" & _
    Right ("0" & Second (dateValue), 2)
    Else
    IsoTimeString = "00:00:00"
    End If
    End Function
    'Name : LogMessage -> Parses a message to the log file based on the messageType.
    'Parameters : messageType -> Integer representing the messageType.
    ' : -> 0 = message (writes to a ".csv" file)
    ' : -> 1 = error, (writes to a ".err" file including information relating to the error object.)
    ' : -> 2 = error message (writes to a ".err" file without information relating to the error object.)
    ' : message -> String containing the message to write to the log file.
    'Return : None ->
    Function LogMessage(messageType, message)
    Dim prefix, logType
    prefix = hostName
    Select Case messageType
    Case 0
    logType = "csv"
    Case 1
    logType = "err"
    message = "Error " & Err.Number & " (Hex " & Hex(Err.Number) & ") " & message & ". " & Err.Description
    Case Else
    LogType = "err"
    End Select
    If Not LogToCentralFile(scriptLogPath & "." & logType, hostName & "," & message) Then
    Exit Function
    End If
    End Function
    'Name : LogToCentralFile -> Attempts to Appends information to a central file.
    'Parameters : logSpec -> Folder path, file name and extension of the central log file to append to.
    ' : message -> String to include in the central log file
    'Return : LogToCentralFile -> Returns True if Successfull otherwise False.
    Function LogToCentralFile(logSpec, message)
    Dim attempts, objLogFile
    LogToCentralFile = False
    'Attempt to append to the central log file up to 10 times, as it may be locked by some other system.
    attempts = 0
    On Error Resume Next
    Do
    Set objLogFile = objFSO.OpenTextFile(logSpec, ForAppending, True)
    If Err.Number = 0 Then
    objLogFile.WriteLine message
    objLogFile.Close
    LogToCentralFile = True
    Exit Function
    End If
    Randomize
    Wscript.sleep 1000 + Rnd * 100
    attempts = attempts + 1
    Loop Until attempts >= 10
    On Error Goto 0
    End Function
    'Name : PromptStart -> Prompt when script starts.
    'Parameters : None ->
    'Return : None ->
    Function PromptStart
    MsgBox "Now processing the " & DQ(Wscript.ScriptName) & " script.", vbInformation, scriptBaseName
    End Function
    'Name : PromptEnd -> Prompts when script has completed.
    'Parameters : None ->
    'Return : None ->
    Function PromptEnd
    MsgBox "The " & DQ(Wscript.ScriptName) & " script has completed successfully.", vbInformation, scriptBaseName
    End Function
    'Name : PromptError -> Prompts when an unexpected script error occurs.
    'Parameters : None ->
    'Return : None ->
    'Function PromptEnd
    ' MsgBox "Error " & Err.Number & " (Hex " & Hex(Err.Number) & "). " & Err.Description, vbCritical, scriptBaseName
    'End Function

  • Suggestions required on All-In-One System

    Dear Guru's,
    We're having 2 doubt's regarding All-in-One system,
    1. Shall we have 2 system landscape for All-in-One systems. System1(DEV Server)-having single instance with 2 clients 100 - DEV and 200 - QAS and System2(PRD server) having single instance with one client 100-PRD.
    2. In our Server, we deployed All-in-One component for country specific of Arabic, is it possible to have another country specific of India in the same server on different client. (100 - Arabic and 200 - India).
    Your valuable suggestions required for the above 2 queries.
    Thanks in advance.
    regards,
    Guna

    Hi,
    I guess the better approach is to raise a OSS message.
    Regards,
    Karthik D

  • CPS licensing for all the PRD systems

    Hi
    I have gone thorough the blog that relates to the CPS licensing, i haven't got the clear view that how this licensing stuff works for my scenario..so kindly assist me with the below scenario...
    There are  4 systems for my client like SAP R/3, SAP CRM , SAP B/W and SAP Soltion Manager, now we are planning to go  for CPS Tool in order avoid the pitfalls in our batch procesing.if i want to run CPS on all the production systems  i mean to say 4 production systems  how many server processers are required..and agents and adopters are required, and please sensitize me in terms of Agents , adopters and Server processes like what exactly they are, and for my R/3 Production system they  is 1-CI(central Instance) and 4 APP servers , and for Solman there is only 1-CI and for CRM only 1-CI and BW there is 1-CI and 1-APP server , all our systems are  running on Windows server 2003 and 2008, even we are planning  our CPS  to be on 2008  and SQL 2008..so kindly advise me in terms of the licensing like how many adapters and how many agents and how many server processers are realy required. is it required to pay anything in order to integrate CPS with Solution Manager...Thanks.

    Hi Phaneendra,
    CPS has a very simple licence model. The only licensed item on the SAP price list is called a Process Server.
    For each SAP instance where you want to control  jobs you need a CPS Process Server. In your case: R3, CRM, BW and Solman is 4 Process Servers.
    Then you need to look at any non SAP events that you want to monitor or control. Like maybe an FTP file event or some data load comming from a non SAP application.  On every server where you have these non SAP events you need to configure an additional Process Server.
    Every Process Server includes a license for 1 Production environment and 3 non production environments (dev, test, fail over)
    For the Solution Manager Adapter you do not require a Process Server License but if you have Solution Manager events that you want to control you have to configure a Process Server.
    Does this answer your question?
    Let me know if you need additional support.
    Regards,
    Richard Lock, Redwood Software.

  • Suddenly all my non-system apps disappear

    After I install some apps , they do not appear in the desktop. So I restart my iPhone. Now all the non-system disappear although they are 'open' in App Store. System is iOS 7.0.4, iPhone 5s

    Paulcb,
    Sorry about the delay getting back to you.  I stepped out.
    But right before I did, I managed to install a free app, which prompted me for my Apple ID, and after that all my non-Apple apps are running fine, again.
    Thanks for that helpful tip!
    Jim
    P.S.  I also think I have figured out WHY the problem arose in the first place.  And WHY when I first tried your suggestion (to install a free app - and this prompt the "re-authentication" of my Apple ID) it didn't work.
    I think it is explained by the fact that there momentarily wasn't a valid network link in place, and so the phone couldn't access the iTunes site and authenticate my ID.
    And I think the problem with the network link stemmed for the strange problem I saw with my Wi-Fi state.   Recall that I saw the STRANGE status (in the settings app) for Wi-Fi of :  "No WiFi".  I have NEVER seen that status before.  It doesn't mean "Not connected".  It means iOS doesn't even think the Marvell WiFi device exists.  Hmm. 
    Anyway, the workaround you suggested works fine.  Thanks.

  • HT1515 Which models of Airport Extreme are compatible with OS 10.4.11? Is there a tech spec page listing all models & their system requirements?

    Which models of Airport Extreme are compatible with OS 10.4.11? Is there a tech spec page listing all models & their system requirements?

    They all are, except that models made in October 2009 and later can't be set up or configured from 10.4.11.
    (65132)

  • Report to pull kernel patches of all the satellite systems

    Hi Experts,
    Is there any report in solman system to pull kernel levels of all the satellite systems or is there any process to find out kernel versions of all the satellite systems at a single glance in our solman system.
    Our solman system version is 7.0 EHP1 SP6.
    Thanks,
    Venkata

    Hello Jared,
    Fast forward a couple years now.  Is this kernel information a feature now in Solution Manager 7.1 SPS8?
    Cheers,
    Dan Mead

  • Framework support for all windows operating systems

    Hi!
    I want to build a single desktop app for windows xp, windows 7, windows vista and windows 8. someone told me that a desktop app build in visual studio 2013 will not run on xp.
    Which framework version or visual studio version should I use to build a desktop app which should run on all mentioned operating systems?

    Using .net 3.5 is pretty limiting.
    I would have thought the lifespan and percentages of win xp and vista devices is so small that they might not be worth supporting.
    This is the decision taken by the client on my current ( end consumer targeted ) project.
    Hope that helps.
    Recent Technet articles:
    Property List Editing ;  
    Dynamic XAML

  • HT4759 updated to Lion, from snow leopard after updating all necessary programs & system, recieved emails saying it was successful changing to icloud but can i access iclound No - nothing works! webmail & mail - also reset password.

    updated to Lion, from snow leopard after updating all necessary programs & system, recieved emails saying it was successful changing to icloud but can i access iclound No - nothing works! webmail & mail - also reset password.

    Ok 1st one. The warning restriction message relates to this line in main.cf:
    smtpd_helo_restrictions = permit_sasl_authenticated  permit_mynetworks  check_helo_access hash:/etc/postfix/helo_access  reject_non_fqdn_hostname  reject_invalid_hostname  permit reject_invalid_helo_hostname
    The last reject occurs after the single word "permit" and is ignored.
    However, that's not the problem.
    I'm not exactly sure what's happening, but this might be a clue.
    It would appear that either postfix is not being able to create the socket for private/policy or it's somehow created with the wrong permissions.  You might need to ramp up the debug level to get a better idea.
    You could check if it's being created by "netstat -a | grep private/policy" in terminal.
    My guess is that it's not being created because there is no setup statement in your master.cf file, but I don't understand why postfix would be looking for it if it isn't set up.  Private/policy I think relates to grey listing.  Maybe gives you a hint.

  • HT204266 The APP update request came for 4 apps.  I submitted update all, but the system is stuck and will not update. Further, I cannot use those apps.  How do I fix this?

    The APP update request came for 4 apps.  I submitted update all, but the system is stuck and will not update. Further, I cannot use those apps.  How do I fix this?

    Two other things to try -
    Power your iPad off for a minute and then back on again.
    Double tap the Home button, locate the updating apps (one by one) in the bottom task bar, press on it until the red minus sign comes up and click it. Repeat for the remaining apps. Try the updates again but do them one by one rather than Update All.

  • Mac loses all users and System Administrator

    i work in a professional recording studio and we have had this happen twice in the past week or so. the computer works fine and then we shut it down and restart and then the login screen appears. the computers are supposed to be set to automatically log in. then there is no way to log in. we dont have any passwords set for the computers so normally when we install software we type in the username and hit enter but this is not working for the login screen. we tried logging in as SYSTEM ADMINISTRATOR for the username and password and that doesnt work. we start up from the install disc to change the password but there are no users. not even an admin.
    they are powermac G5s. all software is up to date. these computers are never online and all software installed is completly legal. no cracks or viruses.
    does anyone know what could have caused this? and how to prevent it?
    also is there a mac software comparable to "goback" on the PC? It sets apart a % of the HD to track ALL movement on the HD and if something gets f-d up, you hit the spacebar during boot and pick the day or time when you knew the system worked fine and EVERYTHING goes back to the state it was at that moment (all files, options, settings, everything.) I've tried Carbon Copy Clone, but thats not the same, takes over an hour to 3 to do, plus that hasn't worked very well for me in the past; javalthread errors and \ditto: errors.
    these computers have worked fine for the past 9 months now. so we dont know whats going on. any help would be greatly appreciated. sorry for the long post i am trying to be as specific as possible.

    if it happend on one machine so far and appears to be related to the PT plugin being moved around, that could be it.
    plugin could be associated with certain location within the disk or the OS when it installs originally, when moved around it could generate errors (not being a developer it's just a wild guess)
    for ex. some applications check for certain peripherals
    and hardware etc. in the background, or extensions may conflict with other sfotware.
    if possible, you could try and replicate the same actions on "safe" machine - if it does the same thing, it's a plugin messing things up or conflicting with something.
    it would be easy to use external drive with the same software, boot from external drive and replicate the steps.
    it is also possible that the OS got corrupted somehow on the machine or the hard drive may have problems, and PT plugin has nothing to do with it and was just coincidental.

  • A recent drive failure forced a complete re-install of all windows Vista system software I was able to revive old hardisk & I need to recover my bookmarks.

    I recently suffered a hard drive failure that managed to take months worth of valuable work when it failed. I replaced the hard disk drive in my laptop and completed a fresh install of Windows Vista and all the programs that were used on that system which included Firefox. After finding an exact match of the drive that failed I managed to get the drive running again by replacing the drives control board and I am now able access the data on the drive.I usually really anal about backing up all of my valuable data but I have been so busy with my current project my usual habits went to the wayside. I need to recover the Firefox bookmarks from the old drive and recover them to the new drive but I haven't been able to find the file that contains the bookmarks from the previous installation of Firefox. Could somebody please help me locate these valuable bookmark files

    See:
    *https://support.mozilla.org/kb/Recovering+important+data+from+an+old+profile
    *http://kb.mozillazine.org/Transferring_data_to_a_new_profile_-_Firefox
    The "Application Data" folder in XP/Win2K and the "AppData" folder in Vista/Windows 7 are hidden folders.
    *http://kb.mozillazine.org/Show_hidden_files_and_folders
    *http://kb.mozillazine.org/Backing_up_and_restoring_bookmarks_-_Firefox

Maybe you are looking for

  • How to make error message as warning message

    how to make error message as warning message? ie  i get error message hence cannot save the slaes order   i want to make that error message as warning so that i can save the sales order please help.

  • Can JPG Be Opened in Camera Raw if Not Using Bridge?

    I love the flexibility that Camera Raw provides even for files that were not created as NEFs and am looking for a way to open a jpg when I'm NOT using Bridge. Can't seem to find a menu command in Photoshop and using the Finder's  "Open With" Contextu

  • Image Drag'n'Drop error

    Hello so... he is the deal: based on that: http://java-buddy.blogspot.com/2012/03/javafx-20-implement-gesturetarget-of.html i made some simple app that loads pictures from files. whats important about this is this: HBox targetBox = new HBox();and thi

  • Service Interface for the Business Objects

    Hello everyone. I'm developing a Web Service using the service interface that provide JDeveloper for their Business Objects. I have a relationship between two EO as described below: EntityA 1 ...... * EntityB and it is a composition relation. Each ID

  • Approval of role creation

    Hi All I need to create a WET for role creation, this is simple But I need to incorporate approval of the creation of the new MX_ROLE entry. I can only find documentation/guides on how to implement approval of role and privilege assignment. Does anyo