Help Needed in persisting data in cache from CEP on to a database

Hi,
We are trying to create a Oracle Complex Event Processing (CEP) application in which persist the data stored in the cache (Oracle Coherence) to a back end database
Let me provide you the steps that I have followed:
1)     Created a CEP project with cache implementation to store the events.
2)     Have the following configuration in the context file:
<wlevs:cache id="Task_IN_Cache" value-type="Task" key-properties="TASKID" caching-system="CachingSystem1">
<wlevs:cache-store ref="cacheFacade"></wlevs:cache-store>
</wlevs:cache>
<wlevs:caching-system id="CachingSystem1" provider="coherence">
<bean id="cacheFacade" class="com.oracle.coherence.handson.DBCacheStore">
</bean>
3)     Have the following in the coherence cache config xml:
<cache-mapping>
<cache-name>Task_IN_Cache</cache-name>
<scheme-name>local-db-backed</scheme-name>
</cache-mapping>
<local-scheme>
<scheme-name>local-db-backed</scheme-name>
<service-name>LocalCache</service-name>
<backing-map-scheme>
<read-write-backing-map-scheme>
<internal-cache-scheme>
<local-scheme/>
</internal-cache-scheme>
<cachestore-scheme>
<class-scheme>
<class-name>com.oracle.coherence.handson.DBCacheStore</class-name>
</class-scheme>
</cachestore-scheme>
</read-write-backing-map-scheme>
</backing-map-scheme>
</local-scheme>
4)     Have configured tangosol-coherence-override.xml to make use of coherence in my local machine.
5)     Have written a class that implements com.tangosol.net.cache.CacheStore
public class DBCacheStore implements CacheStore{
But when I try to deploy the project on to the CEP server getting the below error:
org.springframework.beans.factory.BeanCreationException: Error creating bean with name 'Task_IN_AD': Cannot resolve reference to bean 'wlevs_stage_proxy_forTask_IN_Cache' while setting bean property 'listeners' with key [0]; nested exception is org.springframework.beans.factory.BeanCreationException: Error creating bean with name 'wlevs_stage_proxy_forTask_IN_Cache': Cannot resolve reference to bean '&Task_IN_Cache' while setting bean property 'cacheFactoryBean'; nested exception is org.springframework.beans.factory.BeanCreationException: Error creating bean with name 'Task_IN_Cache': Invocation of init method failed; nested exception is java.lang.RuntimeException: Error while deploying application 'AIT_Caching'. Cache store specified for cache 'Task_IN_Cache' does not implement the required 'com.tangosol.net.cache.CacheStore' interface.
Can you please let me know if I am missing any configuration. Appreciate your help.

Hi JK,
Yes my class com.oracle.coherence.handson.DBCacheStore implements the com.tangosol.net.cache.CacheStore interface. I am providing you with the DBCacheStore class.
package com.oracle.coherence.handson;
import com.tangosol.net.CacheFactory;
import com.tangosol.net.NamedCache;
import com.tangosol.net.cache.CacheStore;
import java.sql.DriverManager;
import java.sql.Connection;
import java.sql.PreparedStatement;
import java.sql.ResultSet;
import java.sql.SQLException;
import java.util.Collection;
import java.util.Iterator;
import java.util.LinkedList;
import java.util.List;
import java.util.Map;
import oracle.jdbc.pool.OracleDataSource;
public class DBCacheStore implements CacheStore {
protected Connection m_con;
protected String m_sTableName;
private static final String DB_DRIVER = "oracle.jdbc.OracleDriver";
private static final String DB_URL = "jdbc:oracle:thin:@XXXX:1521:XXXX";
private static final String DB_USERNAME = "XXXX";
private static final String DB_PASSWORD = "XXXX";
public DBCacheStore()
m_sTableName = "TASK";
System.out.println("Inside constructor");
init();
//store("10002", "10002");
public void init()
try
     OracleDataSource ods = new OracleDataSource();
/* Class.forName(DB_DRIVER);
m_con = DriverManager.getConnection(DB_URL, DB_USERNAME, DB_PASSWORD);
m_con.setAutoCommit(true);*/
     ods.setURL(DB_URL);
     ods.setUser(DB_USERNAME);
     ods.setPassword(DB_PASSWORD);
     m_con = ods.getConnection();
System.out.println("Connection Successful");
catch (Exception e)
     e.printStackTrace();
//throw ensureRuntimeException(e, "Connection failed");
public String getTableName() {
return m_sTableName;
public Connection getConnection()
return m_con;
public Object load(Object oKey)
Object oValue = null;
Connection con = getConnection();
String sSQL = "SELECT TASKID, REQNUMBER FROM " + getTableName()
+ " WHERE TASKID = ?";
try
PreparedStatement stmt = con.prepareStatement(sSQL);
stmt.setString(1, String.valueOf(oKey));
ResultSet rslt = stmt.executeQuery();
if (rslt.next())
oValue = rslt.getString(2);
if (rslt.next())
throw new SQLException("Not a unique key: " + oKey);
stmt.close();
catch (SQLException e)
//throw ensureRuntimeException(e, "Load failed: key=" + oKey);
return oValue;
public void store(Object oKey, Object oValue)
     System.out.println("Inside Store method");
     NamedCache cache = CacheFactory.getCache("Task_IN_Cache");
     System.out.println("Cache Service:" + " "+ cache.getCacheService());
     System.out.println("Cache Size:" + " "+ cache.size());
     System.out.println("Is Active:" + " "+ cache.isActive());
     System.out.println("Is Empty:" + " "+ cache.isEmpty());
     //cache.put("10003", "10003");
     //System.out.println("Values:" + " "+ cache.put("10003", "10003"));
Connection con = getConnection();
String sTable = getTableName();
String sSQL;
if (load(oKey) != null)
sSQL = "UPDATE " + sTable + " SET REQNUMBER = ? where TASKID = ?";
else
sSQL = "INSERT INTO " + sTable + " (TASKID, REQNUMBER) VALUES (?,?)";
try
PreparedStatement stmt = con.prepareStatement(sSQL);
int i = 0;
stmt.setString(++i, String.valueOf(oValue));
stmt.setString(++i, String.valueOf(oKey));
stmt.executeUpdate();
stmt.close();
catch (SQLException e)
//throw ensureRuntimeException(e, "Store failed: key=" + oKey);
public void erase(Object oKey)
Connection con = getConnection();
String sSQL = "DELETE FROM " + getTableName() + " WHERE id=?";
try
PreparedStatement stmt = con.prepareStatement(sSQL);
stmt.setString(1, String.valueOf(oKey));
stmt.executeUpdate();
stmt.close();
catch (SQLException e)
// throw ensureRuntimeException(e, "Erase failed: key=" + oKey);
public void eraseAll(Collection colKeys)
throw new UnsupportedOperationException();
public Map loadAll(Collection colKeys) {
throw new UnsupportedOperationException();
public void storeAll(Map mapEntries)
     System.out.println("Inside Store method");
throw new UnsupportedOperationException();
public Iterator keys()
Connection con = getConnection();
String sSQL = "SELECT id FROM " + getTableName();
List list = new LinkedList();
try
PreparedStatement stmt = con.prepareStatement(sSQL);
ResultSet rslt = stmt.executeQuery();
while (rslt.next())
Object oKey = rslt.getString(1);
list.add(oKey);
stmt.close();
catch (SQLException e)
//throw ensureRuntimeException(e, "Iterator failed");
return list.iterator();
}

Similar Messages

  • Help needed-Survey template data not flowing from CRM to Mobile & V V

    Hi experts,
    We have a requirement to create a custom survey template and pass it to mobile. The data flow should be to and fro. as in; from CRM to Mobile Application and vice versa.
    Currently we are facing an issue in this that the data if not being passed properly from the CRM TO Moblie.
    As i am new to the middleware concepts, i am not sure how to go about analysing if my data in the BDocs for the survey template if correct or not.Some data is present for the survey in the Bdoc(xml), but i am not sure if this xml value is correct or not as the Bdoc table entry (xml value)seems to have been truncated(i cannot view the entire xml there wen i try to open the BDoc fields in SMW01).
    any pointers to this is highly appreciated.
    Thanks
    Swapna.

    May be this thread will help
    v('APP_USER') not returning HTMLDB user
    regards,
    Shijesh

  • Help needed to insert data from different database

    Hi ,
    I have a requirement where i need to fetch data from different database through database link .Depending on user request , the dblink needs to change and data from respective table from mentioned datbase has to be fetched and populated .Could i use execute immediate for this, would dblink work within execute immediate .If not , could pls let me know any other approach .

    What does "the dblink needs to change" mean?
    Are you trying to dynamically create database links at run-time? Or to point a query at one of a set of pre-established database links at run-time?
    Are you sure that you really need to get the data from the remote database in real time? Could you use materialized views/ Streams/ etc to move the data from the remote databases to the local database? That tends to be far more robust.
    Justin

  • Need to change Date field Zone from IST to UST

    Guys,
    I have to develop a application in which there is a Date field. This date is coming from Application Server i.e. R3 and is in India, terefore it's IST. Now when this application is run from US, it should give the UST.
    Means Actually I want to change the Date from IST to UST.
    Can somebody please reply with the coding that needs to be done.
    Thanks,
    Nikesh Shah

    Hi,
    Refer the following link
    Date format
    Java Webdynpro Date Format
    I hope it helps.
    Regards,
    Rohit

  • Help needed setting specific date in GregorianCalendar object?

    Hi All!
    I have set SimpleTimeZone object in GregorianCalendar object. How can I set a new date to the GregorianCalendar object, such that i can find DAY_OF_YEAR specific to this date's day?
    URGENT replies will be appreciated!

    Thanks for ur reply!
    but the problem is that i have to create a method:
    public int getDayOfYear(int day, int month, int year)
    return day_of_the year;
    This method should accept user specified day, month and year and passes to GregorianCalendar/Calendar object. I need want to get DAY_OF_YEAR value from Calendar.DAY_OF_YEAR which it will provide, but the change is not affecting!
    ACTUAL CODE
    ===========
    public static double getDayofYear(int hr, int min, int sec)
    String[] ids = TimeZone.getAvailableIDs(5 * 60 * 60 * 1000);
    SimpleTimeZone pdt = new SimpleTimeZone(5 * 60 * 60 * 1000, ids[0]);      
    for (int i=0; i<ids.length; i++)
    System.out.println (ids);
    //setting DLS start and end rule
    pdt.setStartRule(Calendar.MAY, 1, Calendar.SUNDAY, 00 * 60 * 60 * 1000);
    pdt.setEndRule(Calendar.OCTOBER, -1, Calendar.SUNDAY, 00 * 60 * 60 * 1000);
    Calendar calendar = new GregorianCalendar(pdt);
    //Date trialTime = new Date();//SET DATE
    //calendar.setTime(trialTime);
    calendar.set(Calendar.HOUR,hr);
    calendar.set(Calendar.MINUTE,min);
    calendar.set(Calendar.SECOND,sec);
    return ((double) calendar.get(Calendar.DAY_OF_YEAR));          
    This method is giving true output for today [2nd Dec. 2002 -> 336], but only when it accepts current time, not date. Also giving same output on changing arguments!
    Hoping ur help!

  • Help needed in storing data in DSO or InfoCube

    Hi Experts ,
       I have a set of data which comes from R/3 in the following Format:
    FG     Base Model     Option 1     Option 2     Option 3
    FG1     BM 1                       Opt1       Opt2         opt3
    FG2     BM1                       Opt 1       Opt2        Opt 4
    FG3     BM3                       Opt5       Opt6        Opt7
    The data gets stored in the PSA in the above format.
    But i want to load the data from the PSA to the DSO or InfoCube in the following format.I want that if i do a display data in the DSO or the Infocube the output should look like the below :
    FG     Base Model     Option
    FG1     BM1                      Opt1
    FG1     BM1                      Opt2
    FG1     BM1                      Opt3
    FG2     BM1                      Opt1
    FG2     BM1                      Opt2
    FG2     BM1                      Opt4
    FG3     BM3                      Opt5
    FG3     BM3                      Opt6
    FG3     BM3                      Opt7
    Is there any way to do this please help. Thanks in advance...

    Hi Samir,
    Use transformation rule group in the transformations.
    Here is one of the examples...the way you wanted.
    http://help.sap.com/saphelp_nw70/helpdata/EN/44/32cfcc613a4965e10000000a11466f/content.htm
    Thanks
    Ajeet

  • Please Help~Need to swap data between two 2010 MacBook Pros

    Ok I have a 13" mid-2010 MacBook Pro and my wife has a 15" i7 2010 MacBook Pro. I need her MacBook's processing power to start doing some short videos for our church (After Effects, Premiere). She prefers the lighter 13" anyways so we've decided to swap. I've made two "complete" backups onto a partioned external hard drive using the software, Carbon Copy Cloner. My objective is to swap all data AND settings from one to another and vice versa. She has very important settings on her MBP that cannot be lost. What is the best route to take from here?
    Thanks in advance for your advice!
    Message was edited by: Muzik74

    Pretty easy, using the original Install Disc that came with each computer restart the computer while holding down the Option key. Choose the Install Disc to boot from. Then choose the language and next choose the Utilities Menu-Disk Utility. Once you are in Disk Utility choose the internal HD of the computer-Erase tab (ensure it's set to Mac OS Extended (Journaled)-Erase. Once the erase has been done then exit Disk Utility and continue with the installation. At the end of the installation it will ask if you want to restore from a Volume connected to the computer. Choose that option and choose all the options and within a couple of hours the machine will look and act like your old machine. Do the same with the other computer and you're done with the swap.

  • Help needed on meta data export

    I need a meta data export dump of a source database of two schemas and import to a fresh new database.
    COuld you please help with the steps to be followed.

    Assuming you are using 10g and exp utility
    You can say rows=N
    exp help=yes
    Export: Release 10.2.0.1.0 - Production on Thu Jul 23 13:36:59 2009
    Copyright (c) 1982, 2005, Oracle. All rights reserved.
    You can let Export prompt you for parameters by entering the EXP
    command followed by your username/password:
    Example: EXP SCOTT/TIGER
    Or, you can control how Export runs by entering the EXP command followed
    by various arguments. To specify parameters, you use keywords:
    Format: EXP KEYWORD=value or KEYWORD=(value1,value2,...,valueN)
    Example: EXP SCOTT/TIGER GRANTS=Y TABLES=(EMP,DEPT,MGR)
    or TABLES=(T1:P1,T1:P2), if T1 is partitioned table
    USERID must be the first parameter on the command line.
    Keyword Description (Default) Keyword Description (Default)
    USERID username/password FULL export entire file (N)
    BUFFER size of data buffer OWNER list of owner usernames
    FILE output files (EXPDAT.DMP) TABLES list of table names
    COMPRESS import into one extent (Y) RECORDLENGTH length of IO record
    GRANTS export grants (Y) INCTYPE incremental export type
    INDEXES export indexes (Y) RECORD track incr. export (Y)
    DIRECT direct path (N) TRIGGERS export triggers (Y)
    LOG log file of screen output STATISTICS analyze objects (ESTIMATE)
    {color:red}*ROWS export data rows (Y)* {color} PARFILE parameter filename
    CONSISTENT cross-table consistency(N) CONSTRAINTS export constraints (Y)
    OBJECT_CONSISTENT transaction set to read only during object export (N)
    FEEDBACK display progress every x rows (0)
    FILESIZE maximum size of each dump file
    FLASHBACK_SCN SCN used to set session snapshot back to
    FLASHBACK_TIME time used to get the SCN closest to the specified time
    QUERY select clause used to export a subset of a table
    RESUMABLE suspend when a space related error is encountered(N)
    RESUMABLE_NAME text string used to identify resumable statement
    RESUMABLE_TIMEOUT wait time for RESUMABLE
    TTS_FULL_CHECK perform full or partial dependency check for TTS
    TABLESPACES list of tablespaces to export
    TRANSPORT_TABLESPACE export transportable tablespace metadata (N)
    TEMPLATE template name which invokes iAS mode export
    Export terminated successfully without warnings.

  • Help needed with loading data from ODS to cube

    Hi
    I am loading data from an ODS to a cube in QA. The update rules are active and definition seems right. I am getting the following error, in the update rules.
    "Error in the unit conversion. Error 110 occurred"
    Help.
    Thanks.

    Hi Chintai,
    You can see the record number where the error occured in the monitor (RSMO) for this data load > goto the details tab and open up the Processing area (+ sign). Try it out...
    Also about ignoring the error record and uploading the rest, this is done if you have set Error Handling in your InfoPackage (Update tab), but this would have to be done before the load starts, not after the error happens.
    Hope this helps...
    And since you thanked me twice, also please see here:-) https://www.sdn.sap.com/irj/sdn?rid=/webcontent/uuid/7201c12f-0701-0010-f2a6-de5f8ea81a9e [original link is broken]

  • Urgent help needed with reading data from Cube

    Hi Gurus,
    Can anyone tell me how to read a value from a record in the CUBE with a key (combination of fields).
    Please provide if you have any custome Function Module or piece of code.
    Any ideas are highly appreciated.
    Thanks,
    Regards,
    aarthi

    Due to the nature of the cube design, that would be difficult, that's why there are API's, FMs, and MDX capabilities - to eliminate the need to navigate the physical structure.  Otherwise you would have to concern yourself with:
    - that there are two fact tables E and F that would need to be read.  The Factview could take of this one.
    - you would want to be able to read aggregates if they were available.
    - the fact table only as DIM IDs or SIDs (for line item dims) to identify the data, not characteristic values.  A Dim ID represents a specific combination of characteristic values.

  • Help needed in  extracting data from PCD tables

    Hi Friends
    I Have a requiremnt for creating custom portal activity report ,even though
    we have  standard report, the extraced data will be used to create bw reports later.
    my part is to find a way to extract the data from PCD tables for creating
    custom portal activity reports
    i have selected the following  tables for the data extraction
    WCR_USERSTAT,WCR_WEBCONTENTSTAT,WCR_USERFIRSTLOGON,
    WCR_USERPAGEUSAGE.
    My questions are
    1.Did i select the Exact PCD tables?
    2.Can i use UME api  for  accessing the data from those tables?
    3.can i use  the data extracted  from PCD tables in JSPdynpage  or
    webdynpro apps?
    4.can i Querry  the  PCD tables from  JSPDynpage or Webdynpro
    Please help me in finding a solution for this
    Thanks
    Ashok Battula

    Hi daniel
    Can u tell  me weather i can develop the following  custom reports from those WCR tables
         Report Type
    1     Logins
          - Unique Count
          - Total Count
          - Most Active Users (by Partner Name)
          - Most Active Users (by Contact Name)
          - Entry Point (by page name)
          - Session Time
          - Hourly Traffic Analysis
    2     Login Failures
          - Total Count
          - Count by error message
          - Credentials Entered (by user name and password)
    3     Content Views (by File Name)
          - Unique Count
          - Total Count
          - Most requested Files
          - Most requested Pages
          - File Not Found
    4     Downloads (by File Name)
          - Unique Count
          - Total Count
          - Most requested Files
          - File Not Found
    5     Portal Administration
          - Site Content (by file name)
          - Site Content (by page name)
          - Latest Content (by file name)
          - Expired Content (by file name)
          - Subscriptions Count (by file name)
    6     Login History (by Partner, Contact Name)
          - No Login
          - First Login
          - Duration between registration and first login
          - Most Recent Login
          - Average Number of Logins
    plz  help me in find ing a way
    thanks
    ashok

  • Help needed in reading data from a Crystal Report

    I am trying to read data values from a saved crystal report. (groovy code snippet below)
    I open a new ReportClientDocument and set the RAS using the inprocConnectionString property.
    Then I get the rowsetController and set defaultNumOfBrowsingRecords, rowsetBatchSize and maxNumOfRecords all to 1000000
    Using the browseFieldValues method after that returns only 100 records. I want to get all.
               ReportClientDocument clientDocSaved;
           def pathout=rc.pathToSavedReports+rr.path;
         //****** BEGIN OPEN SAVED SNAPSHOT ************
         clientDocSaved = new ReportClientDocument();
         clientDocSaved.setReportAppServer(ReportClientDocument.inprocConnectionString);       
            // Open report
         println("Reading file in.")
         clientDocSaved.open(pathout, OpenReportOptions._openAsReadOnly);
           def rowsetController = clientDocSaved.getRowsetController()
         rowsetController.setDefaultNumOfBrowsingRecords(1000000)
         rowsetController.setRowsetBatchSize(1000000)
         rowsetController.setMaxNumOfRecords(1000000)
         //setup metadata
         IRowsetMetaData rowsetMetaData = new RowsetMetaData()
         Fields fields =  clientDocSaved.getDataDefController().getDataDefinition().getResultFields()
         rowsetMetaData.setDataFields(fields)
         def values = rowsetController.browseFieldValues(fields.get(0), 1000000)
         values.each{value->
            println(value.displayText(new Locale("ENGLISH")))
    Before using the browseFieldValues method I was trying to use a rowsetCursor
                //get the rowset cursor to navigate through the results
                RowsetCursor rowsetCursor = clientDoc.getRowsetController().createCursor(null, rowsetMetaData)
                //navigate through the rowset and log the name and value
                rowsetCursor.moveTo(0)
                while(!rowsetCursor.isEOF()){
                     Record currentRecord = rowsetCursor.getCurrentRecord()
                     //println("current record number: " + rowsetCursor.getCurrentRecordNumber())
                     for(int i=0;i<fields.size();i++){
                          //println("Column - "+fields.get(i).getName())
                          if (currentRecord.size()>0){
                              println(currentRecord.getValue(i))
                     rowsetCursor.moveNext()
    the currentRecord was always an empty list and I did not get any data values at all.
    Am I missing something in using these approaches?
    I'm fairly new to using the Java SDK for CR. Any help will be greatly appreciated.
    Thanks

    hi, I am trying this second method to read the values from report. but all the records comming as null. Kindly help me to resolve this issue.

  • Help needed in loading data from BW(200) to APO(100).

    Hi everybody,
    I am trying to load a master data from BW(200) to AP1(100) , this is what i did.
    1) created a InfoObject, with some fields (general-ebeln, Attributes- bukrs, werks,matnr).
    2) created and activated communication structure.
    3) Then went to BW(200) created data source(sbiw) and extracted datas from a particular info object, which had same fields and saved it, then went to RSA3 checked for data availability in data source , and it was available there too.
    4) Came back to AP1(100), in the source system tab, opened BW(200) and replicated the datas. I was able to see the Data source name which is created in BW(200).
    5) Create and activated the Transfer struct.
    6) created a info package, and loaded the data, but the monitor says " NOT YET COMPLEATED" , "CURRENTLY IN PROCESS". and it also shows "0 of 0 RECORDS".
    I want to know,
    1) Is there any mistake in what i have done above ?
    2) how long will it take to complete the process (i.e. the loading) ?.
    Please help me through this problem.
    Thanks,
    Ranjani.

    Hi,
    I am surprised with your steps. In APO, you want to load data from a particular infoobject from BW. Why did you create a specific extractor in SBIW???
    You have just reinvented the wheel... It reminds me some people in the world ...
    Here is what you should do:
    - in BW, at the infosource level, you create a direct infosource based on the infoobject that you want to extract the data to APO (let's say 0MATERIAL)
    - in BW, at the infosource level, you right click on the infosource itself and you choose 'GENERATE EXPORT DATASOURCE. That will create the datasources for you (attributes, texts, hierarchies) depending on the infoobject settings. The names of these datasources will begin with a 8 for the datamart
    - in APO, you replicate the BW system. Now you find the datasources 80MATERIAL something
    - in APO, you create the transfer rules to your infosource and you can load
    Just give it a try
    Regards

  • Help need to Recover data from 2009 iMac failing drive won't boot?

    How can I boot my 2009 iMac which came with Snow, from my macbook pro yosemite to recover my data on iMacs failed drive?

    Yes in target mode can I do wirelessly? or does it need wired firewire cable between the computers?I want to try to repair from disc utility and recover my data using my data rescue app first.Will there be any problems using
    macbook pro which is using
    yosemite?

  • Advanced Help Needed - Restoring iPhone data from Backup

    Upon updating my iPhone 3G[S] from 3.1 to 3.1..2 I did a full restore, I made sure to backup the device before this. Post-update/restore I, accidentally, hit "Set up as new phone" therefore deleting my earlier backup, a backup I have been building on for over 2 years now. When realizing that iTunes had automatically deleted my backup, I quickly opened my file recovery program and got the whole backup folder restored to a separate drive. I moved the whole freshly-recovered back up folder to the correctly directory within iTunes appdata, right next to where my new/empty/useless backups where. Right clicking my device within iTunes and selecting "Restore from backup" my backup from earlier in the day was not listed. After further inspection of the backup folder that I had recovered I noticed that there was no Info.plist file. I went into the other/useless backup that iTunes had just made and brought the info.plist into my older backup folder, now in iTunes my older backup was listed, I selected it and attempted to restore to only receive an error half way through restore "(-32)" to be exact. I checked again and again with my recovery tools to see if the original info.plist file was deleted, it was not, I have no idea why it would be missing, but worse is that I have no idea how I can get iTunes to restore the backup without it, considering it doesn't even recognize it the backup as existing without it, is there way to create a custom info.plist so I could restore or force a restore outside of iTunes? Please any advice would be greatly appreciated !

    Backup c:\users\[username]\AppData\Roaming\Apple Computer\MobileSync\Backup
    If you copy these folders into a new computer in the same location (or the contents of a current long name folder into one of the long name folders in backup) you should be able to restore your old data.
    Outside of that maybe track down the location of your outlook PST or address book database. support.microsoft.com probably has some tips.

Maybe you are looking for

  • Question on best approach to create sales orders in R3

    Hi    We have a scenario wherein XI should read data for sales orders from a SQL server DB and then map this information onto an IDOC and post to R3. Now, there is some information needed to fill in some segments of the idoc - that has to be looked u

  • Acrobat 7 Pro won't open some files

    Out of 20 leaflet pdf's saved in Acrobat 7 Pro and uploaded on to a website 6 will not open from the site on my computer. They do open on other machines. Message is Acrobat 7 has stopped working. Any suggestions as to cause of problem will be much ap

  • Decklink issue with Aperture

    Over on the Aperture forum, there's a recent post from a Final Cut user who had to disable Decklink to get Aperture to run. I don't have a Decklink system to confirm or deny. bogiesan

  • Logistics Invoince Verification on Stock Transport Order without Goods Rec.

    Hi...    Can i do a Logistics invoice verification with a STO reference, without any good receipt in this STO? Thanks in advance...

  • Standard HR Abobe Forms

    Hi All, I dont have ESS/MSS package installed on my server.How can I download standard HR adobe forms.Please guide me through. Thanks.