BW extractor -XI-File

Hi all,
Basically, the extractors collect data to be sent to BW (an R/3 background job runs every few minutes to fill them). BW then initiates an RFC to R/3 to pull the data out of the extractor and into BW.
Now can I use the same extractors to pull data into XI? If so how? Is there any flat file that can be sent to XI?
Thanks,
Srinivas
Edited by: Srinivas Davuluri on Jul 15, 2008 4:13 PM

Hi srinu,
verify this link,
https://www.sdn.sap.com/irj/servlet/prt/portal/prtroot/docs/library/uuid/18dfe590-0201-0010-6b8b-d21dfa9929c9
Regards,
Suryanarayana

Similar Messages

  • Uploading extractor setup file in mdmgx in upload ports and customizing tab

    hi
    i am searching for file called MDMGX_5.5_<OBJECT TYPE.TXT> , which needs to be uploaded in mdmgx tcode under "upload ports and customizing tables " in servicemarket place , can any bdy directions where i can download that .txt file
    thanks in advance

    Hi Akhil,
    Please refer the link as follows on Service Market Place:
    https://websmp210.sap-ag.de/swdc
    then on the left hand side, click on
    Search for all Categories, in search term write "MDMBC55005P_2-10003437.ZIP" and search method = "All Terms" then press enter.
    then download this Business Content , in Zip folder you will get
    55510_Article.zip, 55510_Customer.zip etc under each these like 55510_Article.zip you will get MDMGX_55510_Article.txt
    i checked in business content all these MDMGX_XXX. txt files are available there.
    Hope it helps you,
    Mandeep Saini

  • MDM Extractor problem

    Dear MDM Specialists,
    I am unable to find the std MDMGX extractor config. files for Vendor & Customer.
    Where can I find them ?
    Also Is there anything special to be considered while downloading fixed values from Domains from ECC 6.0 using MDMGX.
    I tried giving the Domain name in the Table Name option in MDMGX and tried the extraction ( unique code ) .I filled the following fields :
    CLIENT
    SYSTEM TYPE
    OBJECT TYPE
    MDM PORTCODE
    TABLE NAME = domain name ( with fixed values )
    Process level = 0
    I want to download the data to my local pc.
    When I extract I get the following error messages  :
    Invalid customizing entry for domain DOMAINNAME
    Invalid customizing entry for domain DOMAINNAME
    Appreciate any inputs.
    Thanks.

    Hi,
    the MDMGX configuration for customer and vendors are available on SMP in the business content packages (where you can find the repositories and import/syndication maps).
    BR Michael

  • [Solved] Help needed to interpret errors (python)

    Have the following code (Haven't written it my self and don't know much about how it does what it's supposed to do.):
    #!/usr/bin/python
    import sys
    import os
    import re
    import logging
    import json
    if sys.version_info < (3, 0):
    from urllib2 import Request
    from urllib2 import urlopen
    from urlparse import urlparse
    else:
    from urllib.request import Request
    from urllib.request import urlopen
    from urllib.parse import urlparse
    raw_input = input
    useragent = 'Mozilla/5.0'
    headers = {'User-Agent': useragent}
    intro = """
    Usage: drdown.py url
    This script finds the stream URL from a dr.dk page so you can
    download the tv program.
    def fetch(url):
    """Download body from url"""
    req = Request(url, headers=headers)
    response = urlopen(req)
    body = response.read()
    response.close()
    # convert to string - it is easier to convert here
    if isinstance(body, bytes):
    body = body.decode('utf8')
    return body
    class StreamExtractor:
    def __init__(self, url):
    self.url = url.lower()
    self.urlp = urlparse(self.url)
    def get_stream_data(self):
    """supply a URL to a video page on dr.dk and get back a streaming
    url"""
    if self.urlp.netloc not in ('dr.dk', 'www.dr.dk'):
    raise Exception("Must be an URL from dr.dk")
    self.html = fetch(self.url)
    logging.info("Player fetched: " + self.url)
    # Standalone show?
    if self.urlp.path.startswith('/tv/se/'):
    return self.get_stream_data_from_standalone()
    # Bonanza?
    elif self.urlp.path.startswith('/bonanza/'):
    return self.get_stream_data_from_bonanza()
    # Live tv?
    elif self.urlp.path.startswith('/tv/live'):
    return self.get_stream_data_from_live()
    else:
    return self.get_stream_data_from_series()
    def get_stream_data_from_rurl(self, rurl):
    """Helper method to parse resource JSON document"""
    body = fetch(rurl)
    resource_data = json.loads(body)
    qualities = resource_data.get('links')
    # sort by quality
    qualities = sorted(qualities, key=lambda x: x['bitrateKbps'],
    reverse=True)
    stream_data = qualities[0]
    stream_url = stream_data.get('uri')
    logging.info("Stream data fetched: " + stream_url)
    playpath, filename = self.get_metadata_from_stream_url(stream_url)
    stream_data = {'stream_url': stream_url,
    'playpath': playpath,
    'filename': filename,
    'is_live': False}
    return stream_data
    def get_metadata_from_stream_url(self, stream_url):
    """Helper method to extacts playpath and filename suggestion from a
    rtmp url"""
    parsed = urlparse(stream_url)
    playpath_s = parsed.path.split('/')[2:]
    playpath = '/'.join(playpath_s)
    # rerun to split the parameter
    path = urlparse(parsed.path).path
    filename = path.split('/')[-1]
    return playpath, filename
    def get_stream_data_from_standalone(self):
    """Extracts stream data from a normal single program page.
    The data is hidden in a resource URL, that we need to download
    and parse.
    mu_regex = re.compile('resource: "([^"]+)"')
    m = mu_regex.search(self.html)
    if m and m.groups():
    resource_meta_url = m.groups()[0]
    return self.get_stream_data_from_rurl(resource_meta_url)
    def get_stream_data_from_bonanza(self):
    """Finds stream URL from bonanza section. Just pick up the first RTMP
    url.
    stream_regex = re.compile('rtmp://.*?\.mp4')
    m = stream_regex.search(self.html)
    if m and m.group():
    stream_url = m.group()
    else:
    raise Exception("Could not find Bonanza stream URL")
    playpath, filename = self.get_metadata_from_stream_url(stream_url)
    stream_data = {'stream_url': stream_url,
    'playpath': playpath,
    'filename': filename,
    'is_live': False}
    return stream_data
    def get_stream_data_from_live(self):
    stream_url = 'rtmp://livetv.gss.dr.dk/live'
    quality = '3'
    playpaths = {'dr1': 'livedr01astream',
    'dr2': 'livedr02astream',
    'dr-ramasjang': 'livedr05astream',
    'dr-k': 'livedr04astream',
    'dr-update-2': 'livedr03astream',
    'dr3': 'livedr06astream'}
    urlend = self.urlp.path.split('/')[-1]
    playpath = playpaths.get(urlend)
    filename = 'live.mp4'
    if playpath:
    playpath += quality
    filename = urlend + '.mp4'
    stream_data = {'stream_url': stream_url,
    'playpath': playpath,
    'filename': filename,
    'is_live': True}
    return stream_data
    def get_stream_data_from_series(self):
    """dr.dk has a special player for multi episode series. This is the
    fall back parser, as there seems to be no pattern in the URL."""
    slug_regex = re.compile('seriesSlug=([^"]+)"')
    m = slug_regex.search(self.html)
    if m and m.groups():
    slug_id = m.groups()[0]
    else:
    raise Exception("Could not find program slug")
    logging.info("found slug: " + slug_id)
    program_meta_url = 'http://www.dr.dk/nu/api/programseries/%s/videos'\
    % slug_id
    body = fetch(program_meta_url)
    program_data = json.loads(body)
    if not program_data:
    raise Exception("Could not find data about the program series")
    fragment = self.urlp.fragment
    if fragment.startswith('/'):
    fragment = fragment[1:]
    fragment = fragment.split('/')
    video_id = fragment[0]
    logging.info("Video ID: " + video_id)
    video_data = None
    if video_id:
    for item in program_data:
    if item['id'] == int(video_id):
    video_data = item
    if not video_data:
    video_data = program_data[0]
    resource_meta_url = video_data.get('videoResourceUrl')
    return self.get_stream_data_from_rurl(resource_meta_url)
    def generate_cmd(self):
    """Build command line to download stream with the rtmpdump tool"""
    sdata = self.get_stream_data()
    if not sdata:
    return "Not found"
    filename = sdata['filename']
    custom_filename = raw_input("Type another filename or press <enter> to keep default [%s]: " % filename)
    if custom_filename:
    filename = custom_filename
    cmd_live = 'rtmpdump --live --rtmp="%s" --playpath="%s" -o %s'
    cmd_rec = 'rtmpdump -e --rtmp="%s" --playpath="%s" -o %s'
    if sdata['is_live'] is True:
    cmd = cmd_live % (sdata['stream_url'], sdata['playpath'], filename)
    else:
    cmd = cmd_rec % (sdata['stream_url'], sdata['playpath'], filename)
    return cmd
    def main():
    if len(sys.argv) > 1:
    url = sys.argv[1]
    extractor = StreamExtractor(url)
    cmd = extractor.generate_cmd()
    os.system(cmd)
    else:
    print(intro)
    if __name__ == "__main__":
    main()
    When I run the script with an appropriate URL as parameter, I get this:
    Traceback (most recent call last):
    File "./drdown.py", line 243, in <module>
    main()
    File "./drdown.py", line 235, in main
    cmd = extractor.generate_cmd()
    File "./drdown.py", line 211, in generate_cmd
    sdata = self.get_stream_data()
    File "./drdown.py", line 65, in get_stream_data
    return self.get_stream_data_from_standalone()
    File "./drdown.py", line 123, in get_stream_data_from_standalone
    return self.get_stream_data_from_rurl(resource_meta_url)
    File "./drdown.py", line 87, in get_stream_data_from_rurl
    reverse=True)
    TypeError: 'NoneType' object is not iterable
    I should note that I didn't expect it to work out of the box, but so far I've been unable even to figure out what the problem is, no less solve it.
    I've tried my best to go through the code, looking for typos and such, but I haven't had any luck and much of what happens I don't really understand.
    So please, if you can, I'd very much appreciate a little help.
    Best regards.
    NB:
    Some might conclude that this script does something illegal. In actuality that is not so, just make that clear. Also, testing from outside Denmark, will probably not be possible.
    Last edited by zacariaz (2013-11-08 18:00:33)

    Trilby wrote:
    zacariaz wrote:Have the following code (Haven't written it my self and don't know much about how it does what it's supposed to do.)
    You know a lot more than we do: like where you then found this code, and what it is supposed to do.
    My only first thought without looking through random code that allegedly serves some unknown purpose and comes from some unknown source is that the shebang is ambiguous: it may be a python 2 script while /usr/bin/python is now python 3.
    I've pretty much concluded that python 3.3 is the right choice, sp that should not be a problem, as for what it does, it uses "rtmpdump" to record or "rip" video from a danish site "dr.dk", which is a public service television network.
    I have it from reliable sources that this actually works, or at least did at some point, on Windows machines, but of course i'm on linux, and that complicated matters.
    All in all, as I understand it, what the script really does, is retrieving the relevant rtmp link. The rest is up to "rmtpdump" which I should be able to manage.
    In any case, I'm not really that concerned with learning what the script does at this point, but rather what the error mean.
    The only actual error description I see is: "TypeError: 'NoneType' object is not iterable" and I haven't a clue what that implies. I've read through the script, but haven't been able to find any obvious flaws..

  • Help regarding

    Hi, i am New to java and I am parsing a file.The file looks like
    =========== file starts ================================
    1: Kotloff KL. <-- authors
    Bacterial diarrheal pathogens. <-- Title of the paper
    Scand J Infect Dis. <-- Journal
    2: Ivanoff B.
    [Traveller's diarrhea: which vaccines]
    J Pak Med Assoc.
    3: Fournier JM.
    [The current status of research on a cholera vaccine?]
    J Pharm Sci.
    4: Keddy KH, Koornhof HJ.
    Cholera--the new epidemic?.
    S Afr Med J.
    =========== file ends ================================
    The problem i am facing here is that when i am using the "indexOf" for the string to specify ....for the "title of paper"...there are different ending criteria. Is there any why i can specify that the ending criteria is either a " . "(dot) or "]" or a "?". here is my code which works fine if the ending criteria is a "."(dot).but when it comes to " ] " its giving an error which is java.lang.StringIndexOutOfBoundsException: String index out of range: -1
    at java.lang.String.substring(String.java:1938)
    at TestClass.main(TestClass.java:21)
    here is my code.......
    // This file uses extractor.java file to format the text file 'result.txt'
    // method ext.extract returns the formatted array of strings which I write
    // to 'result.txt' file with newline character(\r\n) added.
    import java.io.*;
    public class TestClass
      public static void main(String [] args)
        extractor ext = new extractor();
        String [] result = ext.extract("myFile.txt");
        try
         int i;
         for(i=0;result!=null;i=i+3)
    int index=0;
    String Authors =result[i].substring((result[i].indexOf(':')+3),(result[i].indexOf('.')+1));
    String Title = result[i+1].substring(index,(result[i+1].indexOf('.')));
    String Journal = result[i+2].substring(index,(result[i+2].indexOf('.')+1));
    System.out.println(Authors);
    System.out.println(Title);
    System.out.println(Journal);
    }//end of for.
    } //end of try.
    catch(Exception ex)
    ex.printStackTrace();
    ====== the output ========
    Kotloff KL.
    Bacterial diarrheal pathogens.
    Scand J Infect Dis.
    java.lang.StringIndexOutOfBoundsException: String index out of range: -1
            at java.lang.String.substring(String.java:1938)
            at TestClass.main(TestClass.java:21)
    Press any key to continue...

    There's no need to specify the ending index if you
    just want the substring to contain all the the end of
    the string. This will return the String that contains
    everything after the colon:
    String Authors
    =result.substring((result[i].indexOf(':')+3));[/cod
    e]
    http://java.sun.com/j2se/1.5.0/docs/api/java/lang/Stri
    ng.html#substring(int)
    If you're trying to remove the [ ] from the paper
    title, then check if they actually exist in the
    String before taking a substring.
    Thanks for the help....but i am trying to get the those values in a variable.so the
    Authors will go to variable AUTHOR,
    Title will go to variable TITLE,
    Journal will go to variable JOURNAL.
    so thats why i am doing these things. That is why i need the ending index to tell where the authors are ending and title is starting. Can u help me with this?...thanks in advance.                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                           

  • Any sample code for an Extractor to read in a flat file?

    Hi SAP gurus,
    Are there any sample code for an extractor to read in a flat file?
    Are there any documentation on custom coding an extractor to dump
    information into an info source?
    Are there any documentation on the pit falls and contraints using Solution
    Manager, the BI tools, particularly on the Info Source?
    Thanks,
    Steve

    Thanks Muppet Mark
    I forgot to mention that I had also tried just fileObject.read() as well and it didn't work either.  It was the same run on sentence result I got with the script I showed above.  Seems odd.  However, the \r instead of \n did the trick.  I had some recollection of another line feed character but couldn't remember what it was, so thanks for that.
    Doug

  • Extraction from R/3 extractor to flat file

    Hi,
    I want to be able to extract data using r/3 extractors (LIS/Business Content extractor) into r/3 itself loading the data into a transparent table or loading the data into a flat file on the application server.
    As an example, i want to extract data from 0MATERIAL_ATTR into a flat file.
    I don't want to use BW or any other third party tools for that job, only R/3 6.4.
    Is it possible ? Do i need to code and ABAP program for that ?
    Thx fro your answer.
    Ludovic

    0MATERIAL_ATTR was just an example.
    What i need is to extract data from LO-Cockpit 2lis_* extractor. In these case i don't have any table behind, data are being calculated in memory..therefore i really need to load the extracted data into flat file or transparent table.
    Another point about RSA3, some LO-Cockpit extractor returns about 10'000'000 lines, so it makes impossible to run rsa3 correctly.
    Do you have any other suggestion ?

  • Problems unzipping files downloaded from Firefox using Windows built-in extractor tool

    Hi,
    I am running Firefox v26 on a Windows 7 (64-bit) PC. I work for a library that is able to reproduce digital audio books that we can download from the Library of Congress's National Library Service (NLS) for the Blind and Physically Handicapped. I use Firefox to download a lot of zipped audio books for my job. The file formats found in one book's zipped folder often include the following file types: .3gp (they're like a more compressed MP3 audio file), .mp3, .ncx, .opf, .pncx, .ppf, .smil, .md5, .dtd, .ent, and .ao.
    If I use Windows' built-in extraction tool to unzip an audio book I have downloaded via Firefox the extraction process ends prematurely and acts as if it was successful, but in reality some files are were never extracted. For example, I downloaded a zipped audio book that contained 21 files and weighed in at 87.6MB. The built-in Windows extraction tool only unzipped 2 files weighing in at 30.3MB.
    I have downloaded this same zipped audio book using Google's Chrome v31 and IE 11. Both downloads unzipped successfully using Windows' extractor. To make things even more bizarre, I *was* able to successfully unzip my audio book that I downloaded using Firefox using a 3rd party extraction tool called Extract Now. Because I tend to use this 3rd party program to extract my audio files I don't know at which version of Firefox this problem started. All I know if that this hasn't always been the case.
    Please help.
    Thanks,
    -Dan M.

    Boot the computer in Windows Safe Mode with network support (press F8 on the boot screen) as a test to see if that helps with extracting files.

  • Problem extracting Acrobat XI setup.exe file - using WinRAR extractor - "Windows cannot find file...

    I have downloaded Adobe Acrobat XI from my university download site (so I know it's a legit, safe copy).  When I run the .exe file, even as an administrator, it begins to extract using WinRAR self-extracting archive and stops with a pop-up error:
    "Windows cannot find "C:\Users\UserName\AppData\Local\Temp\RarSFX0\Adobe Acrobat XI\setup.exe"
    I scanned using Malwarebytes, AVG, Spybot, and ran a \scannow command.  Nothing finds a corrupt file.  Any ideas what could be causing the extractor to not work?
    I am running Windows 7 on a 64-bit Dell laptop.

    SOLUITION - I had to actually download a version of WinRAR extractor.  Right click the downloaded AcrobatXI-Windows.exe file and choose "Open with WinRAR" (this option was not available until I downloaded the WinRAR application - apparently the extractor runs automatically but doesn't have full funtionality).  Then I nagivated to the Adobe Acrobat folder in the WinRAR window and selected the setup.exe file to run.  It opened and installed beautifully.

  • How to open InstallAnywhere Self Extractor file of Flex Builder

    Hi,
    I have downloaded the InstallAnywhere Self Extractor file of flex builder as a trial version ...but am not able to install it on my system ..as am using windows xp operating system...could anyone please guide me about how to install this file...
    it is the file that i downloaded from adobe trials product for flex 3 ....at my system its fully and completely downloaded ...but file type is showing as just file...dont know how to open it ..?
    Sanjay.

    installAnywhere is asking to choose another path to decompress, in spite of specifyng different path, the installation is stuck there !! How do i proceed?

  • How to create executable(.exe) file to extract a .zip using winzip self extractor

    Hi i wanted to create an .exe file extract the content from .zip using winzip extractor,  please
    see the below piece of code. the same is working in 32bit machine, but not working in 64bit machine windows server 2008
      private bool CreateExeFile(string directoryPath, string zipFileName)
                bool status = false;
                string emuPath = String.Empty;
                emuPath = System.Configuration.ConfigurationManager.AppSettings["winzipSe32Loacation"];
                //string emuParams = @" -e " + directoryPath + "\\" + zipFileName + ".zip " + directoryPath;
              string emuParams = " " + directoryPath + zipFileName + ".zip -win32 -y "; 
                //string emuParams = " " + directoryPath + zipFileName + ".exe a " +zipFileName +".Exe -mmt -mx5 -sfx" + directoryPath;
                try
                    Process p = new Process();
                    ProcessStartInfo psI = new ProcessStartInfo(emuPath, emuParams);
                    psI.CreateNoWindow = false;
                    psI.UseShellExecute = true;
                    p.StartInfo = psI;
                    p.Start();
                    p.WaitForExit()
                    status = true;
                catch
                    status = false;
                return status;
    Regards
    Bharath

    Hello,
      What error with you program?
     if the reply help you mark it as your answer.
     Free No OLE C#
    Word,  PDF, Excel, PowerPoint Component(Create,
    Modify, Convert & Print) 

  • Extractors for Archive files & online data

    Hi experts,
    I have requirements to develop extractors to extract both ADK files and online data for MM and PS. Online PS data were extracted previously through generic extractors with FM (F2) and MM with generic extrator with View
    I identified the table MSEG, MKPF for MM and MSEG for PS were the data need to be pull from. The ADK files reside in a file system and are accessible through PBS index.
    1- Could you pl guide me through a strategy how to proceed?
    2- Is possible to develop a generic datasource with function module that with be able to fetch ADK files & online data for PS
    3- For MM, I am thinking at 2LIS_03_BF since I am extracting MM: Material movements
         Since that extractor is delta capable but I am looking for full upload, could you pl provide steps how to work around that if possible?
    Thanks.

    Thanks for replying,
    I have already reviewed that document, it is not helpful in my case since I can retrieve archive data using PBS index. I think that I have to develop a FM extractor capable to fetch online and archive data for appl. comp. PS.
    Several fileds need to be accessed on tables MSEG, AFKO, AFVC, EBAN, ESLL, ESLH, t430...
    I already have a FM module capable to fetch online data... I need to modify it so that it would fetch online and archive data...
    I am looking here for the logic ... could you please experts paste a template code capable to fullfill that requirement or sent it under (blaise.pascal(at)ymail.com) I will really appreciate.
    Edited by: Blaiso on May 12, 2011 7:27 PM

  • Extractor file name

    Hi Guru:
    We are extracting data from SAP via flat file approach.
    Is there a way to get a dynamic file name? Like we have Dev/QA/PROD systems, how to makesure after transport, we do not need to change the file location/name?
    Thanks a lot.
    Best regards,
    Eric

    Code in the infopackage- read table T000 and use abap to dynamically select from there

  • Error at Extractor checker when seeing archive files

    hi experts...
                     i have archived (write and delete) one ODS successfully as shown in logs. But when i extract archive file it shows error
    Error ocuured during the extraction
    plz help me...
    rakesh jangir
    09890199562

    Well I guess I solved my own problem.
    I used the download direct site and signed into the download assistant after it installed and this seemed to let me initiate the down load.
    I also went to a direct Eth. connection and turned off the cookie blocks and McAfee.
    It took about 30 minutes to down load the program but the extraction and installation went without a problem this time.
    So I don't know what the exact fix was but it worked and I am up and running.
    The program seemed to have a problem loading files and looked like it quit responding. I had the other PC running and it is homegrouped with this one and also has Elem 11.  I turned off the other PC and this one seemed to work better loading files with the other one off.  I wonder if problems can arise if you have two PCs home grouped, both on with a number of photo files in each.
    Take care,
    Craig

  • Problem on windows xp with downloaded zip file

    Hi,
    I have written a JSP to download file which is as follows
    try
    response.setContentType("application/download");
    response.setHeader("Content-Disposition","attachment;filename=<FileName>");
    int iRead;
    FileInputStream stream = null;
    try
    File f = new File(<FilePath>);
    stream = new FileInputStream(f);
    while ((iRead = stream.read()) != -1)
    out.write(iRead);
    out.flush();
    finally
    if (stream != null)
    stream.close();
    catch(Exception e)
    //out.println("Exception : "+e);
    After downloading zip file, could not extract files on windows XP by using any tool or built-in extractor i.e. compressed(zipped)folders (error: compressed folder invalid or corrupted).
    But this works on win2k or win98
    How can i work with it or can anyone tell me a solution to handle such a problem.
    Thanks in advance.
    Rajesh
    [email protected]

    This could be a problem with the built-in ZIP program in Win XP - it's possible that the ZIP you are downloading (uploading?) is simply incompatible with the XP program. In Win 98 & 2000, you would have to use your own ZIP program, e.g. Winzip, and that can handle more formats that the XP program.
    Try installing the same ZIP program that you have on w98/2k on your XP machine, and see if you can open the uploaded file using it.

Maybe you are looking for

  • Way to rollback only one row of a view object

    Is there a way to "rollback" only one row of a view object? That is, two or more rows have been modified but we wish to only restore one of the rows to the original (database) values. Is there a way to retain all of the current rows in all of the vie

  • Problem with podcast feed on windows 7

    Hi I have had the following podcast working in itunes for over 3 years. However, a couple of months ago I moved to a new PC with windows 7 and now the downloads start, stop straight away and give a 404 error.  However, when I use my old XP pc or Vist

  • Hard drive space issue.. after installation.

    I installed snow leopard today on my MBP... when i look at istat it says I have 278GB free but when i look at disk utility or finder, it says i have 299GB free which is right?

  • 4th Gen Help - dark screen, wont sync - corrupted?

    My Husband bought me a used (working) 20gb 4th gen click wheel iPod for my bday. Now it's not working. It worked yesterday at my friends house. I was able to: *Restore to factory settings *Sync it to the library (added 570 songs) *play/listen to musi

  • SRM to MDM Scenario -- Unable to Edit the Integration Scenario

    Hi Experts, I'm doing a scenario in XI/PI from SRM to MDM. I had downloaded all the related content from service market place and also established SLD connections as well. When I'm trying to import the Integration Scenario from Integration Repository