Quantcast
Channel: Oracle Bloggers
Viewing all 19780 articles
Browse latest View live

Going to Oracle OpenWorld or JavaOne? Don’t Miss Out on Oracle Preconference Training!

$
0
0


Are you going to Oracle OpenWorld or JavaOne? 

If so, you won’t want to miss the opportunity to attend preconference training!

Participate in Oracle University’s Preconference Training Event

Sunday, September 18th from 8:30am - 3:30pm 

with an hour break for lunch.

Oracle experts take you on a deep-dive into a full day of accelerated training on a topic of your choosing from the list below:

Oracle University Sessions

Java University Sessions

Learn more by visiting the Oracle University and Java University pages and add a session to your conference pass today.


Oracle Traffic Director 12c Certified With EBS 12.x

$
0
0

Oracle Traffic Director is a high-throughput low-latency load-balancer that can optimize HTTP and HTTPS traffic for Oracle E-Business Suite environments.  It offers built-in optimizations for Oracle WebLogic Server along with rule-based request routing, reverse proxy capabilities, request rate limiting, throttling, QoS tuning, and more.  Oracle Traffic Director is included with Oracle's engineered systems and is now available for standalone deployments, too.

Oracle Traffic Director 12c is now certified with E-Business Suite 12.1 and 12.2. See:


    Certified Platforms

    Oracle Traffic Director 12c is certified to run on any operating system for which Oracle WebLogic Server 12c is certified. See:

    Related Articles


      Adaptive Distribution Methods in Oracle Database 12c

      $
      0
      0
      In my post about common distribution methods in Parallel Execution I talked about a few problematic execution plans that can be generated when the optimizer statistics are stale or non-existent. Oracle Database 12c brings some adaptive execution features that can fix some of those issues at runtime by looking at the... [Read More]

      Oracle Excellence Awards: Oracle Cloud Platform Innovation

      $
      0
      0

      Calling all Oracle Cloud Platform Innovators click here, to submit your nomination today

      clip_image002Call for Nominations:Oracle Cloud Platform Innovation 2016

      Are your customers using Oracle Cloud Platform to deliver unique business value? If so, submit a nomination today for the 2016 Oracle Excellence Awards for Oracle Cloud Platform Innovation as their Oracle Sales Partner or encourage them to submit their own nomination. These highly coveted awards honor customers and their partners for their cutting-edge solutions using Oracle Cloud Platform. Winners are selected based on the uniqueness of their business case, business benefits, level of impact relative to the size of the organization, complexity and magnitude of implementation, and the originality of architecture.

      Customer Winners receive a free pass to Oracle OpenWorld 2016 in San Francisco (September 18-September 22) and will be honored during a special event at OpenWorld.  Award Winners become great references as well!

      Our 2016 Award Categories are:

      Benefits:

      • Customers and partners receive awards in an Oscar style ceremony held at Yerba Buena Center of Arts during OOW. They feel acknowledged for their success with our products and winners receive a FREE OOW Pass
      • We hear about exciting new stories and invite customers to speak at various OOW sessions. Customers get a FREE OOW Pass
      • Nominator's get invited on stage at the OOW award ceremony and a special note sent out to their management chain to highlight their account's success
      • Great new public references come out of the Innovation Awards effort every year (however it is not required that customers agree to reference up front)

      NOTE: The deadline to submit all nominations is 5pm Pacific on June 20th, 2016. Customers don't have to be in production to submit a nomination and nominations are for both Cloud and on-premise solutions. Click here, to submit your nomination today

      SOA & BPM Partner Community

      For regular information on Oracle SOA Suite become a member in the SOA & BPM Partner Community for registration please visit www.oracle.com/goto/emea/soa (OPN account required) If you need support with your account please contact the Oracle Partner Business Center.

      BlogTwitterLinkedInimage[7][2][2][2]Facebookclip_image002[8][4][2][2][2]Wiki

      Technorati Tags: Award,OFM Innovation Award,SOA Community,Oracle SOA,Oracle BPM,OPN,Jürgen Kress

      Application Container Cloud, Oracle JET, and NetBeans IDE (Part 2)

      $
      0
      0

      In part 1, yesterday, we deployed a Node.js application, with static resources architected on Orace JET, to the Application Container Cloud Service (ACCS). However, ACCS is also applicable to Java SE applications.

      There are several use cases for running Java SE applications on ACCS:

      http://docs.oracle.com/cloud/latest/apaas_gs/apaas_tutorials_create_sample_java_se_applications.htm

      I followed this scenario:

      http://www.oracle.com/webfolder/technetwork/tutorials/obe/cloud/apaas/griz-jersey-intro/Grizzly-Jersey-Intro.html

      However, I wanted to serve up JSON, rather than Strings, so I rewrote "getAllCustomers" in "CustomerService" to the following:

      @GET
      @Produces(MediaType.APPLICATION_JSON)
      @Path("/all")
      public GenericEntity> getAllCustomers() {
          List list = CustomerList.getInstance();
          return new GenericEntity>(list) {};
      }

      More info in this example for JSON-related scenarios:

      http://www.oracle.com/webfolder/technetwork/tutorials/obe/cloud/apaas/basic_grizzly_jersey/jersey-grizzly-json-service.html

      Also, I needed a ContainerResponseFilter, to handle CORS:

      import java.io.IOException;
      import javax.ws.rs.container.ContainerRequestContext;
      import javax.ws.rs.container.ContainerResponseContext;
      import javax.ws.rs.container.ContainerResponseFilter;
      import javax.ws.rs.ext.Provider;
      @Provider
      public class CORSFilter implements ContainerResponseFilter {
          @Override
          public void filter(ContainerRequestContext request,
                  ContainerResponseContext response) throws IOException {
              response.getHeaders().add("Access-Control-Allow-Origin", "*");
              response.getHeaders().add("Access-Control-Allow-Headers",
                      "origin, content-type, accept, authorization");
              response.getHeaders().add("Access-Control-Allow-Credentials", "true");
              response.getHeaders().add("Access-Control-Allow-Methods",
                      "GET, POST, PUT, DELETE, OPTIONS, HEAD");
          }   
      }

      My application now looks like this: 

      I created a cloud-ready package with an uber JAR (in my case named "CustomerAwesomizer.jar"), as described in the documentation, and then uploaded it to ACCS: 

      Here's the upload form that follows from the above:

      After a bit, the application is available in my dashboard, as can be seen below, with a Java SE icon:

      Next, now that the application is contained and deployed by ACCS, when I go to the REST endpoint in the browser I can see the JSON payload:

      The final step is to create a user interface in JET:

      Here's the JavaScript side of my JET module:

      define(['ojs/ojcore', 'knockout', 'ojs/ojtable', 'ojs/ojdatacollection-common'
      ], function (oj, ko) {
          function GeneratedContentViewModel() {
              var self = this;
              self.data = ko.observableArray();
              $.getJSON("https://foo.oraclecloud.com/myapp/customers/all").
                      then(function (json) {
                          $.each(json, function () {
                              self.data.push({
                                  birthday: this.birthday,
                                  city: this.city,
                                  firstName: this.firstName,
                                  lastName: this.lastName
                              });
                          });
                      });
              self.datasource = new oj.ArrayTableDataSource(
                      self.data,
                      {idAttribute: 'id'}
              );
          }
          return GeneratedContentViewModel;
      });

      And here's the HTML: 

      <h1>Customer View</h1>
      
      <table id="table"
             data-bind="ojComponent: {
         component: 'ojTable',
            data: datasource,
            columns: [
                  {headerText: 'Name',  field: 'firstName'},
                  {headerText: 'Surname',  field: 'lastName'},
                  {headerText: 'Birthday',  field: 'birthday'},
                  {headerText: 'City',  field: 'city'},
      ]}">
      </table>

      The above is a simple end-to-end scenario of ACCS providing the backend and Oracle JET the frontend of an enterprise application.

      Oracle Healthcare & KPMG OPN PartnerCast - Check out the topics discussed during the partnercast on April 27th 2016!

      $
      0
      0

      If you were not able to connect on April 27th to watch a live OPN partnercast hosted by Drew Zwiebel, Oracle Health Sciences Global Alliances & Channels with KPMG, you can watch the available recording here.

      Stay connected to our latest news around Oracle Healthcare with the valuable support of our partner, KPMG and check out the recording above. 

      Oracle Cloud Marketplace Headlines

      $
      0
      0
      • Digi-Me Sourcing Solutions Now Available in the Oracle Cloud Marketplace

      Read more

      • Whatfix is Now Available in the Oracle Cloud Marketplace

      Read more

      Top Exastack ISV Headlines

      $
      0
      0

      BML Istisharat achieves Oracle Exadata Optimized and Oracle Exalogic Optimized status with ICBS, BML's integrated banking solution.

      With Oracle Exadata and Oracle Exalogic, ICBS exceeded SLAs for batch processing reducing total execution time while improving users’ experience. 

      Read more.


      What are the benefits of becoming Oracle Certified?

      $
      0
      0

      The latest Oracle University survey addressed to certified customers and partners revealed many benefits of earning an Oracle Certification.

      Over 87% of the respondents agreed that Oracle Certification enhanced their professional credibility, whereas 84% of the certified individuals have seen their job prospects improve.

      Encourage your partners to become certified to enjoy the benefits associated with this! 

      PaaS & Middleware Partner YouTube Update June 2016

      $
      0
      0

      The June edition of the PaaS & Middleware Partner Update contains three key topics:

      • Fusion Middleware & PaaS Summer Camps
      • Oracle Innovation Awards
      • SOA & BPM Partner Community Webcasts June 9th and June 28th 2016

      For regular updates please subscribe to our YouTube channel here.

      For the latest SOA & BPM Partner Community information please visit our Community update wiki (Community membership required) 

      Friday Spotlight: Hot off the Press- Oracle Linux Newsletter

      Integrate Oracle SOA Healthcare and Oracle SOA Suite back-end composites across segregated domains by Bruno Neves Alves

      $
      0
      0

      clip_image001When implementing a composite with JDeveloper, one of the available adapters - since early versions of the 11g release of Oracle SOA Suite - is the Healthcare Adapter. This adapter allows to connect, both as exposed service (inbound) and as reference (outbound), to an Oracle SOA Suite for Healthcare Integration (SSHI) installation enabling document trading with other applications in the healthcare ecosystem.

      The SSHI is mostly used for  HL7 documents exchange between back-end healthcare solutions and its satellite applications. However, in some other cases, SSHI is even implemented as a hub for document exchange, connecting heterogeneous healthcare applications.

      The Healthcare adapter comes in two integration type flavors:

      • Default - in memory integration;
      • JMS - integration based on AQ or JMS queues.

      The first one, based in memory, allows the SSHI application to integrate with the composites through the Healthcare Adapter using the JVM memory - what makes the integration quite efficient and fast - however, with one limitation: both SSHI and the SOA composites have to be deployed in the same domain.

      Now, one of the best practices that should be taken in consideration when architecturing a large scale integration platform with SSHI and SOA Suite is to deploy the SSHI and the SOA back-end composite application in separated domains, favoring:

      • Tuning and configuration - domain configuration isolation is key to reach the sweet spot in such implementation. The domain where the composites are being deployed will likely demand different configuration compared with the SSHI dedicated one. This segregation will allow to apply different tuning strategies to one another.
      • Database partitioning - The fact that the SSHI and back-end composite application are persisting into separated SOA_INFRA schemas promotes separated database grow management strategies. This empowers an adequate data partitioning and purging strategies for each of the domains.

      As explained, for an in memory integration, both domains needs to rely over the same JVM, therefore, separating the domains will presuppose two separated JVMs leaving the Default options as unusable.

      This article demonstrates how the JMS integration can be implemented between SSHI and the back-end application available from two separated domains.
      For questions of demonstrability it will follow a simplistic SSHI as a hub implementation. Because of that, the article additionally covers all the necessary steps to implement the integration scenario between two healthcare MLLP endpoints through a composite back-end.

      Ingredients
      • 2 separated SOA Suite domains with cross domain authentication active
      • 1 inbound Weblogic JMS queue and connection factory
      • 1 outbound Weblogic JMS  queue and connection factory
      • 1 composite with two Healthcare Adapters, one as exposed service and another one as reference
      • 1 SSHI MLLP inbound endpoint
      • 1 SSHI MLLP outbound endpoint
      • 1 "Send to Internal" Internal Delivery Channel
      • 1 "Receive from Internal" Internal Delivery Channel

      Read the complete article series here Part 1 and Part 2 and Part 3


      SOA & BPM Partner Community

      For regular information on Oracle SOA Suite become a member in the SOA & BPM Partner Community for registration please visit www.oracle.com/goto/emea/soa (OPN account required) If you need support with your account please contact the Oracle Partner Business Center.

      BlogTwitterLinkedInimage[7][2][2][2]Facebookclip_image002[8][4][2][2][2]Wiki

      API Management Implementation Case Study by Bob Rhubart

      $
      0
      0

      imageRead this complete sample chapter from the book Oracle API Management 12c Implementation, written by Oracle ACE Director Luis Weir, Oracle ACE Rolando Carraso, Oracle ACE Associate Arturo Viveros, and Andrew Bell. OAPI_Mgmt_Implement_Case_Study.pdf (1.3 MB)

      SOA & BPM Partner Community

      For regular information on Oracle SOA Suite become a member in the SOA & BPM Partner Community for registration please visit www.oracle.com/goto/emea/soa (OPN account required) If you need support with your account please contact the Oracle Partner Business Center.

      BlogTwitterLinkedInimage[7][2][2][2]Facebookclip_image002[8][4][2][2][2]Wiki

      Oracle Cloud Platform & Middleware Partner Sales Plays Webcast June 9th 2016

      $
      0
      0

      Oracle EMEA Partner SalesJune 2016


      Oracle Cloud Platform & Middleware Partner Sales Plays Webcast June 9th



      Oracle Invitation


      Want to increase the PaaS & Middleware Oracle business? Create new service offerings and solutions for the Cloud?

      Dear Partner,

      FY17 Oracle Cloud Platform (PaaS and IaaS) & Middleware Sales Plays bring new opportunities to you as a partner:

      »System Integrators: generate consulting revenue with hybrid PaaS, IaaS& Middleware
      »Outsourcing companies: offer private and hybrid cloud solutions
      »Independent Software Vendors: build solutions based on PaaS, IaaS & middleware
      »SaaS partners: Extend, integrate and secure SaaS solutions with PaaS
      »Hardware partners: Combine hardware with PaaS and IaaS to increase margins

      Attend our webcast on June 9th 2016 and get all the details!

      Register









      LogisticsLogistics

      CalendarDate & Time


      June 9th 2016
      17:00 CET
      Add to calendar



      WebcastWebcast Details


      Register Now



      IconGet in Touch


      Jürgen Kress
      Oracle EMEA






      How to join the webcast

      Click on the link below (audio will play over your computer speakers or headset): Join the Webcast

      AND / OR

      Dial-in via phone Call ID: 5566478 and Passcode: 333111

      Austria :+43 13 377 7605
      Belgium:+32 2 719 5300
      Denmark:+45 44 808 100
      Finland:+358 954 94 1133
      France:+33 1 5760 2222
      Germany:+49 89 1430 2323
      Ireland:+353 1 803 3333
      Italy:+390 224 959 222
      Netherlands:+31 30 669 9100
      Norway:+47 6752 8550
      Spain:+34 9 1631 2010
      Sweden:+46 8477 3700
      Switzerland:+41 227 999 898
      United Kingdom:+44 118 924 9000









      SpeakersSpakers

      Ed Zou's Profile Photo


      Ed Zou
      Vice President Product Management, Oracle Cooperation



      Jürgen Kress


      Jürgen Kress
      PaaS & Fusion Middleware Partner Adoption, Oracle EMEA








      PaaS & Middleware Partner Communities

      The free PaaS & Middleware Partner Communities support you to grow your partner business:

      • Sales: Sales kits with cheat sheet & customer ppt presentations
      • Marketing: Marketing kits with campaign material & services
      • Pre-Sales: Free PaaS & middleware trial services & demos
      • Enablement: training calendar & material and certifications

      Join the SOA& BPM Partner Community





      ResourcesResources



      SOA on OPNBlue Arrow






      SOA Community WebsiteBlue Arrow






      SOA Community
      Blog
      Blue Arrow






      SOA TwitterBlue Arrow






      SOA on LinkedInBlue Arrow






      SOA FacebookBlue Arrow






      PaaS Summer Camps

      Image






      Video

      Image









      Oracle Corporation
      FacebookTwitterLinkedInYoutubeGoogle+Blog

      Integrated Cloud



      Oracle Excellence Awards 2016 – Nominations Now Open for ISVs

      $
      0
      0

      The nomination process is open now through Friday, June 17 for two ISV-specific Oracle Excellence Awards.

      The Oracle Cloud ISV Partner of the Year award recognizes partners listed on Oracle Cloud Marketplace that have developed solutions that run on Oracle Cloud, while the Oracle Exastack ISV Partner of the Year award features Oracle Exastack Optimized partners that have delivered innovative solutions on Oracle Engineered Systems. Regional and global award winners will receive a free pass to Oracle OpenWorld 2016.

      For nomination criteria and other information, visit the Oracle Excellence Awards website


      Getting Started Detecting and Monitoring Beacons with Oracle JET

      $
      0
      0

      Steven Davelaar did an interesting session last week at the AMIS conference about beacons. The world of beacons is split into iBeacons, AltBeacons, and URIBeacons (read here), though there'll probably be more.

      There's quite a few articles out there about incorporating beacon identifiers into MAF applications:

      Of course, would be great to have a similar scenario for Oracle JET applications, especially since there's a nice Cordova plugin available that provides all the low level technology:

      https://github.com/petermetz/cordova-plugin-ibeacon

      However, the first stumbling block is that you actually need to HAVE a beacon in order to be able to develop applications for detecting and monitoring them. I mean, how do you test your beacon detecting app if you don't have a beacon to test with? So, before even setting up an Oracle JET project, you need to get yourself a beacon... or a beacon simulator.

      In the Android app store I found a whole bunch of beacon scanners and beacon transmitters. The problem is that you don't want to simulate beacon transmissions from your phone, since that's also the place where your app will be installed. You need the transmission to be from a different device to where you'll be testing/using your beacon detection app. I have yet to find a free beacon transmission simulator for computers, i.e., they're only available for mobile devices. What I need to be able to do is simulate transmission from a laptop (ideally Windows, since that's what I'm on, or Mac OSX, which is my wife's laptop).

      In the end, Radius Networks to the rescue. Not free, but hey, sometimes it makes sense to pay. I started out by buying MacBeacon, though didn't read the instructions and the Mac OSX I'm on (Mavericks) is not supported, though they kindly sent me a version of the app that works on Mavericks too. Here's how it looks and it works perfectly, though for some reason one cannot simulate more than one beacon at a time:

      Now, on my Android, when I scan for beacons, I can detect the above simulated beacon. That's great because now I can create an app using Oracle JET and the Cordova plugin referred to above, install the app on my Android, and try it out via the simulated beacon provided by the app above.

      I also bought QuickBeacon for Windows, so that I can use my development laptop to simulate beacons, though I'll need to wait to get a related USB, not sure why the Mac OSX app doesn't need a USB, while the Windows app does need it.

      But, anyway, I'm on my way into the world of beacons via hybrid Oracle JET apps using Cordova.

      Continue to part 2 of this series...

      OCFS2 Certified with EBS 12.2 Shared File System Configurations

      $
      0
      0

      Oracle Cluster File System 2 (OCFS2) is now certified for use with E-Business Suite 12.2 when sharing a single file system between multiple application tier server nodes. 

      Load-balancing E-Business Suite 12.2

      You can improve your E-Business Suite 12.2 environment's fault tolerance, availability, and performance by distributing traffic across multiple application tier server nodes. For information about using multinode configurations, see:

      EBS 12.2 load-balanced multinode architecture

        Reducing your patching requirements with a shared file system

        If you have multiple application tier server nodes, you need to apply an identical set of patches to each of them.  You can reduce your patching overhead by sharing a single file system between the individual application tier servers. Applying a patch to the shared file system allows it to be used by all application tier server nodes.  For information about using shared file system configurations in EBS 12.2, see:

        What file system should you use for EBS 12.2?

        Generally speaking, any fast, standards-compliant file system should work with Oracle E-Business Suite.  "Standards-compliant" can be interpreted to mean "any file systems that do not require code-level changes to the E-Business Suite." 

        We do not test specific file systems with EBS 12.2, so we lack the data needed to recommend specific file systems.  For related information about NFS, GFS, ACFS, and what we use internally at Oracle, see: 

        Why are we specifically certifying OCFS2?

        EBS 12.2 uses two different file systems as part of its Online Patching infrastructure.  We have found that EBS 12.2 is sensitive to the performance characteristics of the underlying file system.

        File system performance can sometimes be optimized by changing a few key mount options. We don't have the resources to test all of the available third-party file systems, but we can test Oracle's own file systems to ensure that you have the smoothest experience using them.  

        What did we find when we tested OCFS2?

        We tested EBS 12.2 under a variety of conditions, including applying patches using Online Patching while the EBS environment was under load.  We found that you should use the default block size for OCFS2, but aside from that, we didn't find any requirements for special mount options for OCFS2. 

        Customers should also follow:

        Related Articles

        FlexDeploy 3.0 to be Unveiled at Oracle OpenWorld by Dan Goerdt

        $
        0
        0

        clip_image002Flexagon to Launch New Version of FlexDeploy at Oracle OpenWorld

        Flexagon FlexDeploy 3.0 – Automating the Enterprise

        October 12, 2015 – Flexagon today announced it will unveil FlexDeploy Version 3.0 at Oracle OpenWorld. FlexDeploy significantly lowers project risk and complexity and accelerates the overall project lifecycle. FlexDeploy provides a comprehensive and integrated platform for managing the entire build, deploy, test, and release life cycle, enabling customers to capitalize on their investments faster and decrease cost and risk of delivering solutions based on Oracle Fusion Middleware, Applications, and Cloud. FlexDeploy 3.0 enhancements further improve the speed, quality, and cost of software delivery both on-premise and in the cloud.

        FlexDeploy 3.0 Highlights

        ·Oracle Cloud PaaS, SOA Cloud Service– Extending the existing support for Java Cloud Service (JCS) and Database Cloud Service (DB CS), FlexDeploy 3.0 makes it easy to deploy on the SOA Cloud Service. On-premise SOA deployments can be moved to the SOA CS with no changes to the FlexDeploy workflow or projects; simply a few configuration changes and FlexDeploy automatically deploys SOA Composites, MDS, OSB, and other artifacts to the SOA CS. The SOA and JCS instances can be brought up and down dynamically, driving optimized utilization of resources.

        ·Oracle EBS Plugin– The EBS plugin automates deployment and migration processes for EBS Customization and Personalization such as OAF View Objects, Entity Objects, Page Objects, and Substitutions. All EBS object types are supported, which during the beta program has shown to provide significant cost reduction and improved quality of EBS changes. Read the complete article here.

        SOA & BPM Partner Community

        For regular information on Oracle SOA Suite become a member in the SOA & BPM Partner Community for registration please visit www.oracle.com/goto/emea/soa (OPN account required) If you need support with your account please contact the Oracle Partner Business Center.

        BlogTwitterLinkedInimage[7][2][2][2]Facebookclip_image002[8][4][2][2][2]Wiki

        Detecting and Monitoring Beacons on Android with Oracle JET

        $
        0
        0

        Now that we have a beacon simulator, let's use it in setting up a simple "hello world" scenario with Oracle JET and beacon detection. We'll end up with a basic Android application that detects the beacon we're simulating in the previous blog entry.

        1. Set Up the Application. Create a hybrid Oracle JET application for Android:




        2. Install the Cordova Beacon Plugin. After creating the application structure using the dialogs shown above, use the Terminal window (or simply the command line), to install cordova-plugin-ibeacon into the "hybrid" folder in your application:


        3. Verify the Cordova Beacon Plugin Installation. In the "hybrid/plugins" folder, you should see the plugin has been installed after the previous step:


        4. Code the Beacon Detector. We'll use the "incidents" module in the application, defined by "src/js/views/incidents.html" and "src/js/viewModels/incidents.js" to set up some basic beacon detection functionality. In "incidents.html", remove all the content and add this instead:

        <div class="oj-hybrid-padding">
            <h3>Incidents Content Area</h3>
            <div>
                <button data-bind="click: detectBeacons">Start Monitoring</button>
                <ul data-bind="foreach: messages">
                    <li><span data-bind="text: $data"></span></li>
                </ul>
                <button data-bind="click: clearList">Clear List</button>
            </div>
        </div>
        
        In "incidents.js", add the following right below "var self = this;":
        self.messages = ko.observableArray();
        self.clearList = function () {
            self.messages.removeAll()();
        };
        self.detectBeacons = function () {
            var delegate = new cordova.plugins.locationManager.Delegate();
            delegate.didStartMonitoringForRegion = function (pluginResult) {
                self.messages.push("Started monitoring: " + JSON.stringify(pluginResult));
            };
            delegate.didDetermineStateForRegion = function (pluginResult) {
                self.messages.push("Found a beacon: " + JSON.stringify(pluginResult));
            };
            var uuid = 'E2C56DB5-DFFB-48D2-B060-D0F5A71096E0';
            var identifier = 'Hello World';
            var minor = 1;
            var major = 1;
            var beaconRegion = new cordova.plugins.locationManager.BeaconRegion(identifier, uuid, major, minor);
            cordova.plugins.locationManager.setDelegate(delegate);
            cordova.plugins.locationManager.startMonitoringForRegion(beaconRegion)
                    .fail(function (e) {
                        console.error(e);
                    })
                    .done();
        };

        5. Build, Deploy, and Use. Build ("grunt build platform=android") and run ("grunt serve platform=android destination=device") the application and, after it has installed, when you click the "Start Monitoring" button, you should see the messages you provided in the code above:


        Above, you see a screenshot of my actual Android phone (i.e., this is not an emulator but my real device), with the UI created as defined in the HTML view shown above, which has its business logic created in JavaScript, as shown in the previous step too. 

        The next step is to create a prettier user interface and Oracle JET has a lot of components (all free and open source) to help with that.

        Oracle Cloud Platform & Middleware Partner Sales Plays Webcast June 9th 2016

        $
        0
        0

        Oracle EMEA Partner SalesJune 2016


        Oracle Cloud Platform & Middleware Partner Sales Plays Webcast June 9th



        Oracle Invitation


        Want to increase the PaaS & Middleware Oracle business? Create new service offerings and solutions for the Cloud?

        Dear Partner,

        FY17 Oracle Cloud Platform (PaaS and IaaS) & Middleware Sales Plays bring new opportunities to you as a partner:

        »System Integrators: generate consulting revenue with hybrid PaaS, IaaS& Middleware
        »Outsourcing companies: offer private and hybrid cloud solutions
        »Independent Software Vendors: build solutions based on PaaS, IaaS & middleware
        »SaaS partners: Extend, integrate and secure SaaS solutions with PaaS
        »Hardware partners: Combine hardware with PaaS and IaaS to increase margins

        Attend our webcast on June 9th 2016 and get all the details!

        Register









        LogisticsLogistics

        CalendarDate & Time


        June 9th 2016
        17:00 CET
        Add to calendar



        WebcastWebcast Details


        Register Now



        IconGet in Touch


        Jürgen Kress
        Oracle EMEA






        How to join the webcast

        Click on the link below (audio will play over your computer speakers or headset): Join the Webcast

        AND / OR

        Dial-in via phone Call ID: 5566478 and Passcode: 333111

        Austria :+43 13 377 7605
        Belgium:+32 2 719 5300
        Denmark:+45 44 808 100
        Finland:+358 954 94 1133
        France:+33 1 5760 2222
        Germany:+49 89 1430 2323
        Ireland:+353 1 803 3333
        Italy:+390 224 959 222
        Netherlands:+31 30 669 9100
        Norway:+47 6752 8550
        Spain:+34 9 1631 2010
        Sweden:+46 8477 3700
        Switzerland:+41 227 999 898
        United Kingdom:+44 118 924 9000









        SpeakersSpakers

        Ed Zou's Profile Photo


        Ed Zou
        Vice President Product Management, Oracle Cooperation



        Jürgen Kress


        Jürgen Kress
        PaaS & Fusion Middleware Partner Adoption, Oracle EMEA








        PaaS & Middleware Partner Communities

        The free PaaS & Middleware Partner Communities support you to grow your partner business:

        • Sales: Sales kits with cheat sheet & customer ppt presentations
        • Marketing: Marketing kits with campaign material & services
        • Pre-Sales: Free PaaS & middleware trial services & demos
        • Enablement: training calendar & material and certifications

        Join the SOA& BPM Partner Community





        ResourcesResources



        SOA on OPNBlue Arrow






        SOA Community WebsiteBlue Arrow






        SOA Community
        Blog
        Blue Arrow






        SOA TwitterBlue Arrow






        SOA on LinkedInBlue Arrow






        SOA FacebookBlue Arrow






        PaaS Summer Camps

        Image






        Video

        Image









        Oracle Corporation
        FacebookTwitterLinkedInYoutubeGoogle+Blog

        Integrated Cloud


         


        Viewing all 19780 articles
        Browse latest View live




        Latest Images