Need information on oApplicationSettings in Fiori applications

Hi Experts,
Need help in understanding the parameter
sap.ca.common.uilib.bootstrap.applicationSettings
Where is this defined and what all can be configured using this?
Thanks and Regards
Puneet Jagdev

I dont think there is any documentatoin on the licensing part. You can probably talk to the Live sales chat representative to get the information you needed from oracle.( http://www.oracle.com/us/solutions/ent-performance-bi/enterprise-edition-066546.html ).

Similar Messages

  • Need Information on an Application (intel) called Java VisualVM.

    Need Information on an Application (intel) called Java VisualVM. I dont know where it came from, whats it's for and why it is there? More importantly, how to get rid of it?
    Thanks guys.

    Hello Ram
    regarding "environment parameters" there might be one "disadvantage". If you would have the need to change the parameter you need a transport. May be there are other useful options which could be of interest:
    As you may be now you can store user dependent parameters on the level of the SAP user. One example is:
    You (as the user) can select  a property tree. This selection of a property tree can be stored on userid level (therefore if you log off and log on once again the selection property is your "default" one,)l. Regarding this option you do not need a customizing parameter. The "cons" of this options are:
    a.) you must prepare this "parameter" like a constant in your program to be read from user profile
    b.) you should make sure that the user can only select from a number of values or if the user is using a value which is not allowed you need some "error" handling routine
    So may be this option is not so "robust" but is used very often in SAP and in SAP EH&S.
    With best regards
    C.B.

  • Hello.  I just upgraded to Lion OS X 10.7.3.  I was previously running 10.5.7 which included the ENTOURAGE application.  how do I retrieve needed information from this application that no longer runs on this new system?

    Hello.  I just upgraded to Lion OS X 10.7.3.  I was previously running 10.5.7 which included the ENTOURAGE application.  how do I retrieve needed information from this application that no longer runs on this new system?

    The file you'll be looking for that has most of what you're looking for - messages, address book, etc. is the Entourage Database.  The verison of Microsoft Office I run (on Lion) is Office 2008.  By default the Entourage Database for this verison is at user/Documents/Microsoft User Data/Office 2008 Identities/Main Identity/Database.  That folder (Main Identitty) also has your rules, signatures, and such.  You'll have to recover this file from whatever backup you have.  If you have a different version of Entourage, the file location will be a little diffferent.
    Good luck
    srb

  • Need information to have 2 applications accessing one UCM server

    Hi,
    I need help to configure the second application in my UCM which has already one application connected to database and weblogic server.I have to develop another individual application which runs on different weblogic server and shares same database but with different schema.How can I connect to UCM to configure second application, any help or steps to configure is appreciated.
    Thanks,
    Rama

    What kind of application are you wanting to connect?
    The documentation includes a complete API guide for reference.

  • Need to find records posted from Fiori launchpad or Fiori application

    Hi,
    We have implemented Fiori Applications at our customer site now they want to identify or find out records posted from fiori launchpad and SAP ERP.
    Purpose of this activity to monitor the utilization of Fiori Application. Is anyone know how we can achieve this?
    Regards
    Shraddha

    Hi Sharddha,
    Please look at http://scn.sap.com/thread/3621724 and  http://scn.sap.com/thread/3336896
    It is better solution.
    Regards, Masa
    SAP Customer Experience Group - CEG

  • I need information about Web dynpro ABAP Exception : ICF Service Node

    I need information about Web dynpro ABAP Exception :
    ICF Service Node "/sap/bc/webdynpro/sap/abcd/undefined" does not exist.
    Here abcd is application name.
    ICF Service Node exists and activated but kindly let me know from where "undefined" is coming .
    Please let me know your comments /views about  this.

    Hi,
    I think ur webdynpro service is not active after upgradation.
    You have manually activate it.
    Go go Tcode SICF,Execute the Initial screen,
    and in this new screen give service  as your application name and click on filter.
    You will get your service below which will be ur application name .
    right-Click on the deactivate and activate it or just activate it,.
    This shd work

  • Need information about interfaces and namespaces in actionscript 3.0

    Hi,
    I need information about actionscript interfaces and
    namespaces, I'm preparing for ACE for Flash CS3 and I need to learn
    about this subjects and I can not find resources or simple examples
    that make these subjects understandable.
    Anybody can help me!
    Thanks a lot.

    Interfaces (cont.)
    Perhaps the most useful feature of interfaces is that you not
    only can define the data type but also method signature of the
    class that implements this interface. In other words, interface can
    define and enforce what methods class MUST implement. This is very
    useful when classes are branching in packages and team of
    developers works on a large application among others.
    The general syntax for an Interface with method signatures is
    written the following way:
    package{
    public interface InterfaceName {
    // here we specify the methods that will heave to be
    implemented
    function method1 (var1:dataType,
    var2:datType,…):returnType;
    function method2 (var1:dataType,
    var2:datType,…):returnType;
    To the previous example:
    package{
    public interface IQualified {
    function method1 ():void;
    function method2 ():int;
    Let’s write a class that implements it.
    If I just write:
    package{
    public class ClassOne extends DisplayObject implements
    IQualified {
    public function ClassOne(){}
    I will get a compilation error that states that I did not
    implement required by the interface methods.
    Now let’s implement only one method:
    package{
    public class ClassOne extends DisplayObject implements
    IQualified {
    private function method1():void{
    return;
    public function ClassOne(){}
    I will get the error again because I implemented only one out
    of two required methods.
    Now let’s implement all of them:
    package{
    public class ClassOne extends DisplayObject implements
    IQualified {
    private function method1():void{
    return;
    private function method2():int{
    return 4;
    public function ClassOne(){}
    Now everything works OK.
    Now let’s screw with return datatypes. I attempt to
    return String instead of void in method1 in ClassOne:
    private function method1():String{
    return “blah”;
    I am getting an error again – Interface requires that
    the method1 returns void.
    Now let’s attempt to pass something into the method1:
    private function method1(obj:MovieClip):void{
    return;
    Oops! An error again. Interface specified that the function
    doesn’t accept any parameters.
    Now rewrite the interface:
    package{
    public interface IQualified {
    function method1 (obj:MovieClip):void;
    function method2 ():int;
    Now compiler stops complaining.
    But, if we revert the class back to:
    private function method1():void{
    return;
    compiler starts complaining again because we don’t pass
    any parameters into the function.
    The point is that interface is sort of a set of rules. In a
    simple language, if it is stated:
    public class ClassOne implements IQualified
    it says: “I, class ClassOne, pledge to abide by all the
    rules that IQualified has established and I will not function
    correctly if I fail to do so in any way. (IMPORTANT) I can do more,
    of course, but NOT LESS.”
    Of course the class that implements an interface can have
    more that number of methods the corresponding interface requires
    – but never less.
    MORE means that in addition to any number of functions it can
    implement as many interfaces as it is desired.
    For instance, I have three interfaces:
    package{
    public interface InterfaceOne {
    function method1 ():void;
    function method2 ():int;
    package{
    public interface InterfaceTwo {
    function method3 ():void;
    package{
    public interface InterfaceThree{
    function method4 ():void;
    If our class promises to implement all three interface it
    must have all four classes in it’s signature:
    package{
    public class ClassOne extends DisplayObject implements
    InterfaceOne, InterfaceTwi, InterfaceThree{
    private function method1():void{return;}
    private function method2():int{return 4;}
    private function method3():void{return;}
    private function method4():void{return;}
    public function ClassOne(){}
    Hope it helps.

  • Need Information on SMD tool

    Hello SAP Guru's,
                               Need information about Share Master Data(SMD) tool.
                               1) What is SMD tool?
                               2) What for SMD toll used?
                               3) How to use SMD tool, for change pointer in ALE(Application Link Enabling) ?
                               4) How to configer SMD tool?
    Give the needfull solution to solve the issues.
    Regards,
    Sateesh J

    Hi chek this
    Distributing Master Data Using the SMD Tool
    http://help.sap.com/saphelp_nw04/helpdata/en/78/2178da51ce11d189570000e829fbbd/content.htm
    Award if helpful.

  • Fiori Applications ERP 6.0 EHP 5.0 Compatibility

    Hellllllllo SAP Mobile World !!!!
    I am attempting to implement Fiori Applications from scratch.  I have gone through all Installation Guides.
    We are currently running SAP ERP 6.0 EHP 5.0 via NW 7.02 SP09.
    I have a little confusion about the Fiori App to ERP version compatibility.
    I have three examples illustrating my confusion and could use a answer to each point if possible.
    Point 01)
    We wish to use implement “App Implementation: Approve Purchase Orders”.
    Looking at “SAP Fiori principal apps for SAP ERP 1.0” from http://help.sap.com/saphelp_fiorierpx1_100/helpdata/en/57/7f3c52c638b610e10000000a44176d/content.htm?frameset=/en/94/813c52c638b610e10000000a44176d/frameset.htm&current_toc=/en/c1/567952d690214fe10000000a445394/plain.htm&node_id=74.
    “SAP Fiori Apps for SAP ERP”--> “Approve Purchase Orders”
    The “Back-End Components Delivered with (Product VersionStack)” under “System Landscape Requirements” lists our implementation “SAP enhancement package 5 of SAP ERP 6.0 SPS03 or higher”.  I assume this means that “App Implementation: Approve Purchase Orders” is compatible with our version.
    Once I go into “App Implementation: Approve Purchase Orders”  I see “SAP enhancement package 5 of SAP ERP 6.0 SPS03 or higher” for “Back-End Components Delivered with (Product Version Stack)”
    This leads me to believe that “App Implementation: Approve Purchase Orders” is supported by my installation.
    Am I correct and if not why?
    Point 02)
    We wish to use implement “App Implementation: Change Sales Orders”.
    Looking at “SAP Fiori principal apps for SAP ERP 1.0” from http://help.sap.com/saphelp_fiorierpx1_100/helpdata/en/bf/67565214c31357e10000000a445394/content.htm?frameset=/en/7d/145652f9c21457e10000000a445394/frameset.htm&current_toc=/en/c1/567952d690214fe10000000a445394/plain.htm&node_id=85&show_children=false.
    “SAP Fiori Apps for SAP ERP” --> “Change Sales Orders”
    The “Back-End Components Delivered with (Product Version Stack)” under “System Landscape Requirements” lists our implementation “SAP
    enhancement package 5 of SAP ERP 6.0 SPS03 or higher”.  I assume this means that “App Implementation: Change Sales Orders” is compatible with our version.
    Once I go into “App Implementation: Change Sales Orders” I see “1942983” for “Back-End/Front-End Server”
    It describes notes for “EHP7 FOR SAP ERP6.0”.  This leads me to believe that “App Implementation: Change Sales Orders” is supported by my installation, but if we happened to upgrade to EHP 7 then this note will need to be implemented.
    Am I correct and if not why?
    Point 03)
    We wish to
    use implement “App Implementation: Equipment”.
    Looking at “SAP Fiori Apps” from http://help.sap.com/fiori_bs2013/helpdata/en/73/c9e452a413b267e10000000a441470/content.htm?frameset=/en/9a/385452928bd030e10000000a44538d/frameset.htm&current_toc=/en/ba/954353a531e647e10000000a441470/plain.htm&node_id=338.
    “SAP Fiori Apps” --> “SAP Fiori Apps for SAP ERP” --> “Apps for Logistics” --> “Plant Maintenance (PM)” -->“Equipment”
    The “Back-End Components Delivered with (Product Version Stack)” under “System Landscape Requirements” lists our implementation “SAP
    enhancement package 7 for SAP ERP 6.0 SPS 05”. I assume this means that “App Implementation: Equipment” is NOT compatible with our version.
    Am I correct?  Are there any SAP Notes that can be implemented to circumvent such limitations if they exist?
    Tags edited by: Michael Appleby

    Thanks for the helpful answers.  You all have sent me on the correct path for further investigation.  As a result I have a few more questions.  I apologize for what might seem "stupid questions".
    01) Is it true that the Front-End Server must run on either SAP NetWeaver 7.00. 7.01, 7.02, or 7.31?
    02) Is the Front-End installation of NW a full installation and not one for say a NW Application Server that doesn't have a underlying database?
    03) Development of custom applications take place on the Front-End Server?  If so I guess question 02 is unnecessary.
    04) I trying confirm my understanding of the prerequisites for “App Implementation: Track Purchase Order” @ http://help.sap.com/fiori_bs2013/helpdata/en/01/b13a522fecb610e10000000a44176d/content.htm?frameset=/en/ba/954353a531e647e10000000a441470/frameset.htm&current_toc=/en/ba/954353a531e647e10000000a441470/plain.htm&node_id=163
    The “Back-End Components Delivered with (Product Version Stack)” lists “SAP ERP 6.0 EHP 5.0” so I am assuming this app is compatible with our Fiori landscape once the Front-End running on NW 7.31 is installed.  We are currently running SAP ERP 6.0 EHP 5.0 based on NW 7.02 SP09.  Is my assumption correct?
    05) I trying confirm my understanding of the prerequisites for “App Implementation: Approve Service Entry Sheets” @ http://help.sap.com/fiori_bs2013/helpdata/en/64/1a96523ef7224fe10000000a445394/content.htm?frameset=/en/0a/5991527b149f11e10000000a441470/frameset.htm&current_toc=/en/ba/954353a531e647e10000000a441470/plain.htm&node_id=183
    ”Back-End Components Delivered with (Product Version Stack)” lists “SAP enhancement package 7 for SAP ERP 6.0 SPS 05”.  Does this truly mean that the backend system must have EHP 7 for ERP 6.0?
    Thanks so much for the help!

  • Fiori applications in EHP 06 ?

    Is it possible to work with fiori applications in ECC 6. EHP 06 ? I can see two different pre requisites in two documents. Which one of them are correct ? its an embedded deployment.
    the left hand document is from(points EHP 07 ) : Installation - SAP Fiori for SAP Business Suite - SAP Library
    and the right hand is pointing EHP 06 : http://help.sap.com/saphelp_fiori/fiori10_install_en.pdf
    Any one implemented transnational applications, put your inputs ?

    Hi Vijay,
    It depends on which apps you need. There are 300+ apps and each app has required backed level.
    wave1,2,3,4 are just SAP internal release name and you do not need to know it.
    Step1. Select required apps from 300+ standard apps. Apps Catalog.
    Step2. Check each app and get backend EhP level and UI component name.
    For example, Approve Purchase Orders, It says ERP 6.0 without EhP SP15
    For example, Report Quality Issue: It says ERP 6.0 EhP7 SPS05
    Regards, Masa
    SAP Customer Experience Group - CEG

  • Design approach for custom Fiori application

    Dear Experts,
    Good day to all...!
    I am having a query on finalizing design approach for one of my custom Fiori Application development  using SAP UI5.
    Current Application design and  Features:
    As now we are having application, which is been used in laptops. The application structure is like (SAP R3 --> SUP -->UI (using .net) [back-end à Middlewareà UI).
    The UI is hosted on IIS server and the application type is desktop, so the users can use the application in offline as well.
    Once its connected to internet, they push all the data back to SAP via SUP.
    Proposal :
    We are planning to migrate the same application into Fiori with same offline features and extending to mobiles and devices.
    I have few queries here.
    What will be the best approach to deploy the application either SUP(Latest version of SMP) or SAP R3.
    If SAP R3 to deploy App:
    If we choose to deploy the application in R3, How to support the offline usage mobile and devices.
    Will the HTML5 local storage or indexed DB’s are sufficient to support the offline usage.
    In this case, Shall we drop the SUP/SMP, Since the application directly accessed from SAP R3 ..?
    SUP/SMP to deploy the app:
    In this case, I need to create (wrap the ui5 files into hybrid application) a hybrid application to support the mobile and devises as native application..? Correct me If I am wrong..:)
    Hope I can use the SUP/SMP local storage options to support my offline usage..? Correct me If I am wrong..:)
    What will be the best option to support desktop offline  usage.
    We are yet to take a decision on this.. Please provide your valuable inputs , which will help us to take some decisions.
    Thanks & Regards
    Rabin D

    Hi Anusha,
    considering the reusability aspect the components approach is the much better one (see also the best practices dev guide chapter regarding components SAPUI5 SDK - Demo Kit).
    It allows you to reuse that component in different applications or other UI components.
    I also think that the Application.js approch will not work with Fiori, cause the Fiori Launchpad loads the Components.js of the Fiori app in an Component Container.
    Best Regards, Florian

  • Error Message on a Extended Fiori application

    I'm currently trying to Extend and modify a SAP Fiori application
    The SAP Standard application is installed and working successfully in our system at the moment.
    When i'm trying to launch our extended Z Application i get the following error message
    Failed to resolve navigation target: #SAP_HCM_LVExtension-View - Error (500, Internal Server Error) in OData response for GET "/sap/opu/odata/UI2/INTEROP/ResolveLink?linkId='SAP_HCM_LVExtension-View'&shellType='FLP'&formFactor='desktop'": HTTP request failed
    Details: Launchpad ZHCM_APP / TRANSACTIONAL / SAP_HCM_LVExtension does not exist.
    In LPD cust we have the link text of SAP_HCM_LVExtension
    An Application Alias of SAP_HCM_LVExtension
    Any help would be appreciated !
    Cheers
    James

    Having the same issue, did you have any luck solving this? 

  • Error while running fiori application in launchpad which is having image in its empty view

    Hi Experts,
                   I have created a fiori application using odata services and uploaded it into launchpad.I want to display image in its empty view. It is getting displayed when i run the application on eclipse but i am getting the error for the same when i run it on launchpad.
    Below is the error:
    "NetworkError: 404 NOT FOUND - http://ws-sapsvr01:8010/sap/bc/ui5_ui5/ui2/ushell/shells/abap/img/TeamSAP.jpg"
    Can any body help me solve this issue why i am getting this??
    Thanks & Regards.
    Rahul.

    Hi Masa,
    In my case, i've the file 'preco_ok.jpg' located inside my extended project (Z_MM_MyProject -> WebContent -> images)
    And I refer it as follow:
    <Image src="images/preco_ok.jpg" class="spaceIndicator"/>
    In the local enviroment it is ok, but on launchpad, the 404 error is shown:
    GET http://host:port/sap/bc/ui5_ui5/ui2/ushell/shells/abap/images/preco_ok.jpg 404 (NOT FOUND)
    Thank you for your support.

  • RFC Error while running the extended fiori application

    Hi experts,
                When i run extended fiori application in fiori launchpad i am getting 500 internal server error in the console. When i run the transaction in the NGW with t-code /IWFND/ERROR_LOG i am getting error as shown in the snapshot.
    please help me with this.
    Thanks & Regards,
    Lahari

    Hi Jamie,
    My Component.js file has the following contents:
    jQuery.sap.declare("zcus.sd.salesorder.create.Component");
    // use the load function for getting the optimized preload file if present
    sap.ui.component.load({
      name: "cus.sd.salesorder.create", 
      /*url: "http://igtbilsap025.igatecorp.com:8000/sap/bc/ui5_ui5/sap/sd_so_cre"*/
      url: jQuery.sap.getModulePath("zcus.sd.salesorder.create") + "/../SD_SO_CRE"
      // we use a URL relative to our own component; might be different if
      // extension app is deployed with customer namespace
      /*url:http://:port/sap/bc/ui5_ui5/sap/hcm_lr_cre"
    cus.sd.salesorder.create.Component.extend("zcus.sd.salesorder.create.Component", {
      metadata: {
      version : "1.0",
      config : {
      "sap.ca.i18Nconfigs": {
      "bundleName":"zcus.sd.salesorder.create.i18n.i18n"
      "sap.ca.serviceConfigs":[{
      name:"SRA017_SALESORDER_CREATE_SRV",
         masterCollection : "SalesOrders",
         serviceUrl :URI("/sap/opu/odata/sap/SRA017_SALESORDER_CREATE_SRV/")
         .directory(),
         isDefault :true,
         countSupported : true,
         useBatch : true,
         mockDataSource : jQuery.sap.getModulePath("zcus.sd.salesorder.create") + "/model/metadata.xml"  
      customizing: {
      "sap.ui.viewExtensions":{
      "cus.sd.salesorder.create.view.SalesOrderCreateCart":{
      "extSOCCartTableColumnHeader": {
      className: "sap.ui.core.Fragment",
      fragmentName: "zcus.sd.salesorder.create.view.extSOCCartTableColumnHeader",
      type : "XML"
      "sap.ui.controllerExtensions": {
      "cus.sd.salesorder.create.view.SalesOrderCreateCart":{
      controllerName : "zcus.sd.salesorder.create.view.extButton"
    and in view folder i have  extSOCCartTableColumnHeader.xml and extButton.controller.js files
    In extSOCCartTableColumnHeader.xml i have placed :
    <core:FragmentDefinition xmlns="sap.m" xmlns:core="sap.ui.core">
    <contentRight>
    <Button xmlns="sap.m" text="{i18n&gt;PLACE_ORDER}" press = "doPlace" />
    </contentRight>
    </core:FragmentDefinition>
    In extButton.controller.js i have placed:
    sap.ca.scfld.md.controller.BaseFullscreenController
    .extend(
      "zcus.sd.salesorder.create.view.extButton",{
      doPlace : function(e) {
      this.salesOrderCreate()
      salesOrderCreate : function() {
      var c = this.oApplicationFacade
      .getApplicationModel("soc_cart");
      var s = {};
      var t = this;
      if (c.getData().PurchaseOrder === undefined) {
      c.getData().PurchaseOrder = ""
      if (c.getData().NotesToReceiver === undefined) {
      c.getData().NotesToReceiver = ""
      if (c.getData().ShippingInstructions === undefined) {
      c.getData().ShippingInstructions = ""
      s.SingleShipment = c.getData().SingleShipment;
      s.SalesOrderSimulation = false;
      s.SalesOrderNumber = "0";
      s.PO = c.getData().PurchaseOrder;
      s.RequestedDate = c.getData().singleRdd;
      s.CustomerID = c.getData().CustomerNumber;
      s.SalesOrganization = c.getData().SalesOrganization;
      s.DistributionChannel = c.getData().DistributionChannel;
      s.Division = c.getData().Division;
      s.ShipmentInstruction = c.getData().ShippingInstructions;
      s.NotesToReceiver = c.getData().NotesToReceiver;
      s.ShipToPartnerID = c.getData().PartnerID;
      s.OrderItemSet = [];
      var a = c.getData().oShoppingCartItems;
      var b = sap.ui.core.format.NumberFormat
      .getIntegerInstance({
      minIntegerDigits : 6,
      maxIntegerDigits : 6
      var j = 0;
      for ( var i = 0; i < a.length; i++) {
      if (a[i].isVisible == true) {
      var C = {};
      C.Quantity = a[i].qty;
      C.UnitofMeasure = a[i].UOM;
      C.RequestedDeliveryDate = a[i].RDD;
      C.Product = a[i].Product;
      C.SalesOrderNumber = a[i].SalesOrderNumber;
      C.ItemNumber = b.format(10 * (i + 1));
      C.Currency = a[i].Currency;
      s.OrderItemSet[j] = C;
      j++
      t.oSOCartModel
      .create(
      "/SalesOrders",
      s,
      null,
      function(d, r) {
      t.salesOrderCreated(r.data.SalesOrderNumber)
      }, function fnError(e) {
      var d = t.oApplicationFacade
      .getResourceBundle()
      .getText("ERROR");
      cus.sd.salesorder.create.util.Utils
      .dialogErrorMessage(
      e.response, d)
      salesOrderCreated : function(s) {
      var t = this;
      sap.ca.ui.message.showMessageBox({
      type : sap.ca.ui.message.Type.SUCCESS,
      message : cus.sd.salesorder.create.util.Formatter
      .formatSuccessMessage(s),
      }, function() {
      cus.sd.salesorder.create.util.ModelUtils
      .resetCartKeepCustomers();
      t.onNavigateHome()
    Thanks & Regards,
    Lahari

  • Customizing Track Purchase Order Fiori Application

    Hi,
    We have configured a standard "Track Purchase Order" Fiori application.
    We want to change the Default Filter Criteria from "Last 7days" to "Last 30 days". Is there any configuration available, where we can change this?
    Regards,
    Yuvraj

    Hi Yuvraj,
    You can achieve this by extending controller S2Custom.controller.js .
    Change the default  declaration to:To display  last 30 days items by default
    sFilterLastNDays : 30,
      sFilterWithAlerts : false,
      sSearchText : "",
      sFilterKey : "FILTER30",
      oFilterDialog : null,
    and change the default setting of init method to: to set the default filter from 7 days to 30 days
    this.oFilterDialog.setSelectedPresetFilterItem("FILTER30");
    Regards,
    Trilochan

Maybe you are looking for

  • LOVs in Detail Table

    Hi I've been generanting pages with LOVs in table layouts, I have an specific problem with LOVs in forms with two tables in the same page (one master and the other details, its generated with the option master and detail on Same PAge). The first tabl

  • Excel file Weblogic

    Hi, I have WebLogic6.1 installed in my machine. I want to open a excel file in Weblogic. I tried with this URL. http://10.10.100.133:7001/sample.xls where 10.10.100.133 is my server IP. From WebLogic Admin console, i set the mime type as "application

  • CC Updater Problem.

    The CC Updater hangs with message "Please close 'ElementsAutoAnalyzer" to continue. I cannot find it in the Actity Monitor and it does not respond to a Force Quit,

  • Creative MuVo v100 cleaning

    Creative MuVo v00 cleaning So I have the Creative MuVo v00, gb model. I've had this mp3 player for many years, and enjoy it greatly. It still plays music fantastically, and I love the design. I wish they still made mp3 players with this design. I wou

  • Can't sync outlook 2003 pc contacts to iphone 4s

    Just bought an iPhone 4s... can't load my contacts from Outlook 2003 XP. I've tried every fix that I can find in search and they all seem to have you go through iTunes.  I have the latest version, 11.1.0.12. I want to sync contacts, calendar and task