Grasping the SyncBo concept

Hi there,
I am completely new in the area of SAP Mobile infrastructure ( but have sufficient background in other SAP/J2EE technologies ) and after reading the MDK 2.5 documentation I was wondering about the "SyncBo" technology which hopefully one of the experts here has some thoughts upon ...
If you would create a custom mobile application which uses some business objects from an SAP backend system and I want to achieve a smart synchronisation then I need to define "SyncBo" and write the necesary BAPI wrappers, etc ... all fine and understood. 
I was actually wondering whether the web application would use the synchronised objects "as is" - meaning that you would query them to interact with the enduser OR would you actually let your web application use the peristence API to store custom objects and have a separate application convert the "SyncBO" objects towards your custom objects and storage mechanisme ...
I foresee that you use the persistance API to store configuration data, etc ... which is locally to the application BUT I am wondering about the "Business Objects" ... 
What is confusing me probably is the fact that it seems that the application itself is apparently responsible for managing the (delta) synchronisation by using the SmartSync API classes and for example register itself upon the events ...
Would a typical more complicated application use a combination of both techniaques or would you end-up having 2 applications - 1 for handling the synchronisation and data conversion to local objects and 1 which is the "real" application which works entirely on local object?
My guts feeling says it should be option 1 ...
Any thoughts or feedback would be appreciated,
Regards,
S

Hello Steven,
Your questions are not clear to me but I will try.
SyncBO objects are persisted in the client as MI is
an OFFLINE mobile infrastructure. the web application
you're mentioning here implies that you are using an
MI having a Tomcat runtime, aren't you? Even though,
you are using a web application, you are not actually
directly manipulating with the business objects in the
backend. Instead, you're "locally" manipulating the
data on your client... Try the AWT version of MI to
have the essence of having a typical application and
not a web application.
The SmartSync feature frees the application developers
in dealing with the delta data as well as the data
synchronization with the MW... Rather than, having to
prepare and maintain the delta data, the framework does
this on the developer's behalf. And that is why,
creation and manipulations on the SyncBO instances could
only be done using specific SmartSync APIs...
So generally, you will need only 1 application that will
include your business logics in the client. You don't have
to deal with handling the data persistence and synchronization.
If you don't want to use the SmartSync features, you can
do this by using only the GenericSync APIs...
Hope this helps.
Regards
Jo

Similar Messages

  • What are the fundamentals concepts to know about BEX Queries on Multi Cube?

    Hi ALL,
    i have executed a Bex Query on a Multi Cube (2 Cubes: SalesAnalysis, SalesAnalysisHistoric) but i havn't received the same data that we have in R/3, after i have executed the same query on just one cube (SalesAnalysis) and the result it was correct.
    please can Somebody explain me the basic concept relation between the datatargets when i execute a query on a Multicube? how BW server try to find data and what is the criteria and the relation between the various caracteristics and key figures of the Multicube components? there some fundamentals join?
    when i create i query on a Multicube and i choose a caracteristic or a key figure how can i know that caracteristic or key figure is from one cube or another cube?
    Thanks For ALL
    Bilal

    Hi Bilal,
    Multiprovider is not a join, it is actually a union of the data. So all the data of the base data targets used in the MP will combine subject to the settings made in identification and selection screens of the multiprovider. In the query designer, the source of the KF or char is transparent to you....you cannot make out until you open the MP in the edit mode.
    Hope this helps...

  • Trying to understand the basic concept of object oriented programming.

    I am trying to understand the basic concept of object oriented programming.
    Object - a region of storage that define is defined by both state/behavior.
    ( An object is the actual thing that behavior affects.)
    State - Represented by a set of variables and the values they contain.
    (Is the location or movement or action that is the goal that the behavior is trying to accomplish.)
    Variables- (What does this mean?)
    Value - (What does this mean?)
    Behavior - Represented by a set of methods and the logic they implement.
    ( A set of methods that is built up to tell's the how object to change it's state. )
    Methods - A procedure that is executed when an object receives a message.
    ( A very basic comand.For example the method tells the object to move up, another method tells the method to go left. Thus making the object move up/left that combination is the behavior.)
    Class - A template from which the objects are created.
    ( I am very confused on what classes are.)
    - The definitions of the words I obtained from the "Osborne Teach Yourself Java". The () statements are how I interperate the Mechanisms (I do not know if Thats what you call them.) interact with each other. I understand my interpretation may be horribly wrong. I will incredibly appreciate all the support I may get from you.
    Thank you

    Object oriented programming is a replacement for the older idea of procedural programming (you can research procedural programming in google). As I understand it, in procedural programming, you have a step by step set of function calls to accomplish some task. Each function receives a data structure, manipulates it, and passes it to the next function. The problem with this is that each function preforms some action for the overall task and can't easily be reused by some other task. Its also harder to read the flow of what is happening with raw data structures flying all over the place.
    In object oriented programming, an object calls a function of another object and receives back, not a data structure, but another object. Objects contain a data structure that can only be accessed by its functions. An object is not so much a sub component of a bigger task, as it is a service that any other task can use for any purpose. Also, when you pass an object to the caller, the caller can ask questions about the data structure via its functions. The developer doesnt have to know what the previous function did to the data by reading up on any documentation, or having to reverse engineer the code.
    I suggest the best way of learning this is to code something like a library object.
    A library object contains a collection of book objects
    A book object contains a collection of chapter objects
    A chapter object contains a collection of paragraph objects
    A paragraph object contains a collection of sentence objects
    A sentence object contains a collection of word objects.
    Add functions to each object to provide a service
    Example: A library object should have a:
    public void addBook(Book book)
    public Book getBook(String title)
    public boolean isBookInLibrary(String title)
    The key is to add functions to provide a service to anyone who uses your object(s)
    For example, what functions (service) should a paragraph object provide?
    It shouldn't provide a function that tells how many words there are in a sentence. That function belongs to a sentence object.
    Lets say you want to add a new chapter to a book. The task is easy to read
    if you write your objects well:
    Sentence sentence1=new Sentence("It was a dark and stormy night");
    Sentence sentence2=new Sentence("Suddenly, a shot ran out");
    Paragraph paragraph=new Paragraph();
    paragraph.addSentence(sentence1);
    paragraph.addSentence(sentence2);
    Paragraphs paragraphs=new Paragraphs();
    paragraphs.addParagraph(paragraph);
    Library library= new Library();
    library.getBook("My Novel").addChapter("Chapter 1",paragraphs).
    Now, lets say you want to have a word count for the entire book.
    The book should ask each chapter how many words it contains.
    Each chapter should ask its paragraphs, each paragraph should ask
    its sentences. The total of words should ripple up and be tallied at each
    stage until it reaches the book. The book can then report the total.
    Only the sentence object actually counts words. The other objects just tallies the counts.
    Now, where would you assign a librarian? What object(s) and functions would you provide?
    If written well, the project is easily extensible.

  • What is the serialization concept in ALE/IDOC?

    what is the serialization concept in ALE/IDOC?

    Hi Srinu ,
    IDoc Serialization means, sending/posting the idocs in sequence.
    We serialize IDocs in the following cases:
    · If you want the Integration Server to process the corresponding IDoc XML messages in the same sequence that it receives them from the IDoc adapter at the inbound channel.
    · If you want the receiver to receive the IDocs in the same sequence that the IDoc adapter sends them at the Integration Server outbound channel.
    The sequence at the Integration Server inbound or outbound channel can only be guaranteed if only IDocs are processed, and not if different protocols (for example, IDocs and proxies) are processed together.
    Do not confuse IDoc serialization using the IDoc adapter with the ALE serialization of IDocs.
    Prerequisites
    · The quality of service EOIO (Exactly Once In Order) must be specified in the message header.
    · The receiver system or the sender system must be based on SAP Web Application Server 6.40 or higher. If this is not the case, the quality of service is automatically changed to EO for compatibility reasons and the message is processed accordingly.
    Procedure
    If you want the Integration Server to process the IDoc XML messages created by the IDoc adapter in the same sequence that the IDocs are sent by your application, proceed as follows:
    · Enter a queue name in your application. You can use 16 alphanumeric characters. The prefix SAP_ALE_ is then added.
    The IDoc adapter checks the prefix and replaces it with the prefix of the corresponding Integration Server inbound queue (for example, XBQI0000).
    If you want the receiver to receive the IDocs in the same sequence that they are sent by the Integration Server using the IDoc adapter, proceed as follows:
    · In the communication channel, select the check box Queue processing for the receiver.
    The IDoc adapter replaces the prefix of the outbound queue (XBQO) with the prefix SAP_ALE_.
    You can display the individual messages in the qRFC monitor of the outbound queue. To do this, do one of the following:
    ¡ Use the queue ID in the list of displayed messages in the monitor for processed XML messages.
    ¡ Use the transaction ID in the list of displayed XML messages in the IDoc adapter.
    ¡ Call the transaction qRFC Monitor (Outbound Queue)(SMQ1).
    To navigate directly to the display of messages in the IDoc adapter, double click the transaction ID of a message in the outbound queue.
    To do this, you must have registered the display program IDX_SHOW_MESSAGE for the outbound queue in the qRFC administration (transaction SMQE) beforehand.
    In both cases, the function module IDOC_INBOUND_IN_QUEUE is called, which enables EOIO processing of the messages. The processing sequence is determined by the sequence of the function module calls.
    Unlike the other function modules (interface versions from the communication channel), with this function module you have to transfer segment types rather than segment names in the data records.
    Serialization of Messages
    Use
    Serialization plays an important role in distributing interdependent objects, especially when master data is being distributed.
    IDocs can be created, sent and posted in a specified order by distributing message types serially.
    Errors can then be avoided when processing inbound IDocs.
    Interdependent messages can be serially distributed in the following ways:
    Serialization by Object Type
    Serialization by Message Type
    Serialization at IDoc Level
    (not for IDocs from generated BAPI-ALE interfaces)
    Serialization at IDoc Level
    Use
    Delays in transferring IDocs may result in an IDoc containing data belonging to a specific object arriving at its destination before an "older" IDoc that contains different data belonging to the same object. Applications can use the ALE Serialization API to specify the order IDocs of the same message type are processed in and to prevent old IDocs from being posted if processing is repeated.
    SAP recommends that you regularly schedule program RBDSRCLR to clean up table BDSER (old time stamp).
    Prerequisites
    IDocs generated by BAPI interfaces cannot be serialized at IDoc level because the function module for inbound processing does not use the ALE Serialization API.
    Features
    ALE provides two function modules to serialize IDocs which the posting function module has to invoke:
    · IDOC_SERIALIZATION_CHECK
    checks the time stamps in the serialization field of the IDoc header.
    · IDOC_SERIAL_POST
    updates the serialization table.
    Check the following link:
    http://help.sap.com/saphelp_nw04s/helpdata/en/0b/2a66d6507d11d18ee90000e8366fc2/frameset.htm
    http://help.sap.com/saphelp_nw04s/helpdata/en/78/2175a751ce11d189570000e829fbbd/frameset.htm
    Ex: ADRMAS, DEBMAS(customer)
    ADRMAS, CREMAS(Vendor)
    In this case, Before posting Customer Data or Vendor Data it requires Address Data.
    Rgds
    Sree m

  • HT1677 In safari browser cookies is working fine. But when I add the browser url to the screen then the cookies concept is not working. In safari setting cookies is always open only. Can you please provide any information regarding to this?

    In safari browser cookies is working fine. But when I add the browser url to the screen then the cookies concept is not working. In safari setting cookies is always open only. Can you please provide any information regarding to this?

    Hello,
    '''Try Firefox Safe Mode''' to see if the problem goes away. [[Troubleshoot Firefox issues using Safe Mode|Firefox Safe Mode]] is a troubleshooting mode that turns off some settings and disables most add-ons (extensions and themes).
    ''(If you're using an added theme, switch to the Default theme.)''
    If Firefox is open, you can restart in Firefox Safe Mode from the Help menu by clicking on the '''Restart with Add-ons Disabled...''' menu item:<br>
    [[Image:FirefoxSafeMode|width=520]]<br><br>
    If Firefox is not running, you can start Firefox in Safe Mode as follows:
    * On Windows: Hold the '''Shift''' key when you open the Firefox desktop or Start menu shortcut.
    * On Mac: Hold the '''option''' key while starting Firefox.
    * On Linux: Quit Firefox, go to your Terminal and run ''firefox -safe-mode'' <br>(you may need to specify the Firefox installation path e.g. /usr/lib/firefox)
    ''Once you get the pop-up, just select "'Start in Safe Mode"''
    [[Image:Safe Mode Fx 15 - Win]]
    '''''If the issue is not present in Firefox Safe Mode''''', your problem is probably caused by an extension, and you need to figure out which one. Please follow the [[Troubleshoot extensions, themes and hardware acceleration issues to solve common Firefox problems]] article to find the cause.
    ''To exit Firefox Safe Mode, just close Firefox and wait a few seconds before opening Firefox for normal use again.''
    When you figure out what's causing your issues, please let us know. It might help others with the same problem.
    Thank you.

  • What are the important concepts in ABAP which are used in real time

    Hi,
    This suresh i'm learning sap/abap just i want to know the
    important concepts sap/abap which will be  used in real time.

    Hi,
    Refer.
    /people/thomas.jung/blog/2007/12/19/update-your-abap-development-skills-to-sap-netweaver-70
    /people/horst.keller/blog/2007/03/21/1000-pages-full-of-abap
    /people/anubhav.mishra/blog/2007/11/20/first-experience-with-abap
    Also
    Re: Any Bw abap course for writing routines?
    Re: ABAP for BW
    Re: Seeking advice ABAP With BW
    Re: ABAP in BW
    Hope this helps.
    Thanks,
    JituK

  • Quesion about the Basic concept of RMAN incremental backup

    I have a problem in understanding the basic concept of two types RMAN Incremental backup ie. Differential and Cumulative. I just don't understand how cumulative incremental backup consumes more space than Differential backup.
    Have a look at the scenario in which Differential backup is used.
    1. On Sunday midnight, a LEVEL0 backup is taken.
    2. On Monday midnight all the blocks that was changed since Sunday midnight are stored in the backup media (tape or disk)
    3. On Tuesday midnight all the blocks that was changed since monday midnight are stored in the backup media.
    4. On Wednesday midnight, all the blocks that was changed since tuesday midnight are stored in the backup media.
    At this point, in the backup media, you have all the changed blocks from sunday midnight to wednesday midnight eventhough it was stored in a daily basis. If you had taken a cumulative backup at wednesday midnight the backup media would have contained the same changed blocks from sunday midnight(LEVEL0) to wednesday midnight, but all at one go instead of daily basis. I don't understand how cumulative backup consumes more space when the backup media contains the same amount of changed blocks as it were in the case of the Differential backup.

    Considering the Scenario you given:
    Sunday : Level 0 backup.
    Monday : You have taken an incremental backup then there will not be any difference in size of backup set for differential or cumulative as the changes from last Level0 backup are considered.
    Tuesday : A cumulative backup (n-1) will have changed blocks since Sunday's Level0 backup but a differential backup(n) will only have changed blocks since Monday. So definitely there will be more space consumed by cumulative backups compared to differentials.
    Hope it helps ...
    Bhupinder

  • Good way to start with the learning the 11g concepts

    Hi,
    I have a work experience on the BEA weblogic server 8.1 sp4 on which i have worked for about 2 year now. My current assignment requires working with the Installation/ Development and deployment in the Fusion middleware 11g server. Could some body please suggest me a good way to start with the learning the 11g concepts.
    I understand that all the documentations are available in the Oracle forum, but i want to understand where to start from.
    my core tasks in the assignment would be
    1. installation (OSB on top of WLS).
    2. development/configuration on OSB.
    3. Deployment and administrative tasks.
    regards,
    Prakhar

    Hi thanks for the update. I have been going through the links and found them very useful.
    I have few new doubts.
    In all the tutorials for getting started with the Fusion middleware, the examples which are given use the Oracle JDeveloper extensively. This IDE is used for implementing the BEPL and other important aspects. I found this very similar to the Workshop IDE initially bundled with the BEA-Weblogic 8.1. Is JDeveloper enhanced to accomodate the features of the Weblogic Workshop IDE?
    Also, i need some information regarding the Eclipse IDE which is bundled with the OSB installation. Are there any tutorials available which show how to use the Eclipse IDE with OSB.
    Also, can the Eclipse IDE be used to implement the same set of components which are being developed using the JDeveloper in the tutorials.
    My concern here is i want to know the best way to start with the training/development. I am already familiar with the Eclipse IDE and donot want to switch to the JDeveloped unless it is absolutely necessary. Can one of these IDE be used repeacebly in place of other.
    Please inform me if in case my wuestion is not clear.
    Regards,
    Prakhar

  • Need help with the threads concept in java

    i need a good explanation for the threads concept in java.Explanation with an example would be better.

    JosAH wrote:
    BIJ001 wrote:
    Java still can't process them in real time because of its garbage collector.So real-time java is not conceivable \qu.e.d
    http://java.sun.com/javase/technologies/realtime/index.jsp
    http://jcp.org/en/jsr/detail?id=282
    Is that implementation ready yet? The first link talks about 'more real time'; that garbage collector really is a burden when it comes to the real ticks ...
    kind regards,
    JosSpoon!

  • What is the memory concept u201CExport to memory idu201D.

    Hello Experts!!!
    I am new in OOPS programing. Can please somebody tell me what is the memory concept u201CExport to memory idu201D. Also it will make my life so easy if can have few simple examples.
    Thanks.

    This is from SAP help:
    When you specify MEMORY, the data cluster is written to the ABAP Memory with the stated ID id. id is expected to be a flat character-type data object which contains an identification with a maximum of 60 characters. An already existing data cluster with the same identification id is completely overwritten. By the identification in id, a data cluster is identified in the memory and can be read again with the same identification.
    Obsolete short form
    The addition ID can be omitted outside classes. However, this is prone to errors, as all EXPORT statements without identification overwrite the same data cluster.
    ABAP Memory
    Memory area within every main session, which the programs with the statements EXPORT and IMPORT can access. This memory area is maintained via a succession of program calls (call sequence).
    Note
    A data cluster in the ABAP memory is available to all programs within a call sequence, whereby data can be handed over to called programs.
    Example
    Two fields with two different identifications "P1" and "P2" with the dynamic variant of the cluster definition are written to the ABAP Memory. After execution of the statement IMPORT, the contents of the fields text1 and text2 are interchanged.
    TYPES:
      BEGIN OF tab_type,
        para TYPE string,
        dobj TYPE string,
      END OF tab_type.
    DATA:
      id    TYPE c LENGTH 10 VALUE 'TEXTS',
      text1 TYPE string VALUE `IKE`,
      text2 TYPE string VALUE `TINA`,
      line  TYPE tab_type,
      itab  TYPE STANDARD TABLE OF tab_type.
    line-para = 'P1'.
    line-dobj = 'TEXT1'.
    APPEND line TO itab.
    line-para = 'P2'.
    line-dobj = 'TEXT2'.
    APPEND line TO itab.
    EXPORT (itab)     TO MEMORY ID id.
    IMPORT p1 = text2
           p2 = text1 FROM MEMORY ID id.

  • What are the important concepts in portal

    Dear Friends
    I am BI consultant and willing to learn EP .  Can anyone provide what are the important concepts to be known for the BI consultant in EP.  hope you can provide some information for BI consultants on what they need to concentrate regarding EP and documents related . IF anyone  have anydocuments please do send to my mail .[email protected]  thanks for your replies in advance.
    Thankyou

    Hi,
    Refer.
    /people/thomas.jung/blog/2007/12/19/update-your-abap-development-skills-to-sap-netweaver-70
    /people/horst.keller/blog/2007/03/21/1000-pages-full-of-abap
    /people/anubhav.mishra/blog/2007/11/20/first-experience-with-abap
    Also
    Re: Any Bw abap course for writing routines?
    Re: ABAP for BW
    Re: Seeking advice ABAP With BW
    Re: ABAP in BW
    Hope this helps.
    Thanks,
    JituK

  • IPad 2 playing of all music videos in the folder is not possible. You can play a music video (all purchased from iTunes) but once is finished you have to manually select another one. This defeats the whole concept of having a music video library

    How could we play all music videos within the music folder in the iPad2 ? In other words, select all, choose random, and click play and all music videos will automatically play upon completion of the one been viewed without the user having to deselect another video manually (annoying interrupt).
    Currently you have to choose each music video and upon completion choose the next one manually. That defeats the whole concept of a music video library.
    This does not happen on previous iPad or MacBook Pro iTunes!!!!!
    Very annoying.
    Thanks,
    WMR

    You can try leaving feedback : http://www.apple.com/feedback/ipad.html

  • Not clear with the Authorization concept for Marketing Plan

    Hi All,
    I am new to CRM and was going through some of the prescribed document for CRM marketing
    when i encounter with the authorization concept in marketing plan,for example how
    can i restrict a user with a campaign manager role from changing marketing plan.please
    provide the step by step procedure.
    Regards,
    Sanju

    Hi Sanju
    User with a campaign manager role can be restricted for changing marketing plan using authorization group.
    We define authorization groups for use in the Marketing Planner. Authorization groups can be maintained at both marketing plan level and campaign or trade promotion level. Authorization groups enable us to control which users are authorized to change which of these two types of marketing project. We could, for example, define one authorization group to be assigned to a marketing plan, then define further authorization groups to be assigned to the different campaigns within the marketing plan. In the Marketing Planne.
    Follow below steps
    1. Define authorization group using following IMG Path
    Customer Relationship Management / Marketing / General Settings / Define Authorization Group.
    2. In authorization object CRM_CPGAGR of the role Campaign manager maiantian activity 01, 02, 03 ,06 (this will allow user to create, change, display and delete)
    3. IMG defined authorization group ex: ABC can be seen under the tabstrip Basic Data of marketing plan.
    4. Now user have to choose the Authorization group ABC from the drop down in Basic tab to create a marketing plan. User will get the change access for all the marketing plan which have the authorization object ABC.
    Hope this will help...
    Rgds
    Mallikarjun

  • Hi, I am having a hard time grasping the pen tool in Illustrator

    Hi, I am having a hard time grasping the pen tool in Illustrator, but have a decent knowledge of it in Photoshop and was wondering is there any quality loss when making work paths in Ps and exporting to Ai?

    EZEILL wrote:
    None of these replies answer the question. Is there any quality loss when making work paths in Photoshop and exporting them to Illustrator?!
    Do we know what version of Photoshop and Illustrator you are using?  If you have a full CC subscription, then you can use Libraries to share assets between your Adobe apps.  As far as I can tell, you need to turn your work paths into shape layers for this to work.  Just select the Move tool, and drag from the document window into the Libraries panel.  Even if Illustrator is still open, you switch to it, and your shape will be there in the Illustrator Libraries panel, and be fully functional (as in way more options that it had in Photoshop).
    Photoshop
    Illustrator

  • I was in testing previously, i know the little concepts of OS(sun solaris)

    Hi ,
    I was in testing previously, i know the little concepts of OS(sun solaris) and database(oracle), My company has provided the training in ABAP, but i want to shift my career to basis, as ABAP is fully programming.
    Could somebody suggest me how to go with this, as i was new to this field i required some suggestion.
    full points will be rewarded if found reply useful
    Thanks,
    Mazhar.

    hi shaik,
    Basis Team. This role will assist the SAP Basis team in supporting  internal customers by helping to support or production print environments, resolving application access and security errors, and documenting case activities.
    ESSENTIAL DUTIES & RESPONSIBILITIES:
    - Assist with SAP printer configuration and troubleshooting. This will require that the candidate obtain an understanding of SAP printing infrastructure, the CUPS printing system, and TCP-IP network printing protocols.
    - Assist with defining, changing, and managing SAMBA configurations
    - Shell/Perl scripting as needed
    - Assist with resolving daily Help Desk cases regarding access to, and usage of, our SAP business systems.
    - Handle daily SAP security cases. SAP security training will be provided.
    - Will administer user accounts and systems access security under the guidance of the security lead.
    sap basis also one of the best. u can go in that way also. but there also u need coding capabilities .
    thanks
    karthik

Maybe you are looking for

  • Print BW report embedded via URL Iview

    Hi, We have a VC application which contains a BI report. In the VC we created a "Print" button which should print the entire contents of the VC Application. Unfortunately it seems this print is not compatible with the URL Iview since it ignores the c

  • SENDING MAIL TO ANOTHER SYSTEM IN INTRANET BY USING SMTP

    hi i am able to send simple smtp messages within the single localhost but i am not able to send it to another system ,plz help me .i also need to get the reply from that system since i am the server. i am using jsp code. i have enclosed the code mail

  • Creation of diskset in Two node cluster

    Hi All , I have created one diskset in solaris 9 using SVM in two node cluster. After diskset creation, I mounted the diskset in a primary node in the mount point /test. But, the disk set is mounting on both the nodes. I created this diskset for fail

  • My Nokia Asha 306 problem

    My Nokia 306 had a fall and now it is not keeping all the icons on the first page. Like weather and others. It is keeping the essential icons like calendar, contacts,, messaging etc. I tried restore factory settings -- >all and also restore from back

  • JMS receiver adapter is red / error?

    hi experts, i have a JMS receiver adapter and the connection to WebSphere MQseries is ok. If i sent message to Receiver JMS adapter i will get following error (red light): The XI message: 14a8be90-e8fc-11df-9103-0016353eb4a3 was already sucessfully p