OSB tuning issues

Hi all!
After some problems with the larger requests, I need to investigate the flow of my message, and I have a few questions.

1. so if I use $body to assign to the OriginalBody variable at the beginning of the flow - it creates copy full size in memory so if the body is 5 MB, there will be additional 5 MB assigned?

2. often, I have a lot to assign multiple actions, as
Assign $ Element/body [1] / id/text () to the variable Id
Assign the $body / Element [1] / name/text () in the name of the variable
etc.
However, in the tuning OSB doc, I see:
>
Created context variables using an action to assign are converted to the XmlBeans and then comes back to the native format of XQuery for the next XQuery. Several actions 'Assign' can be reduced to only one action attribute using a FLWOR expression. Intermediate values can be created using "let" declarations. Avoiding variable creation of context redundant eliminates the overhead associated with internal data format conversions. This advantage must be balanced with the visibility of the code and re-use of variables.
>
I don't understand this 'Assign unique action using a FLWOR expression"- any example?

Thanks again

1. so if I use $body to assign to the OriginalBody variable at the beginning of the flow - it creates copy full size in memory so if the body is 5 MB, there will be additional 5 MB assigned?

Yes. When running, the flow of proxy runs as a set of java objects. And variables created in the flow of the messages will end up also being created as objects in memory to the jvm.
Thus, the more variables created, more the memory footprint.

'simple action to assign by using a FLWOR expression' - no matter what example?

An example will be to implement the logic of complex Web - rather than use the actions of the OSB of loop and several actions with-right/replace, you can use the extract below using an assign action+ to perform the same tasks.

for $v in $doc / / video
where $v/year = 1999
return $v/title

You can get other examples @ http://www.stylusstudio.com/xquery_flwor.html who use FLWOR expressions.

I hope this helps.

Thank you
Patrick

Tags: Fusion Middleware

Similar Questions

  • Definition of ethnicity to group a rec per person based on several conditions

    Hello

    The final results will be used in a report and the table. A new category for ethnicity has been added to the database.
    For this reason, the field that we use to report is no longer available. I've implemented a query
    identify a record per person for ethnicity codes. The rules are if the person has a record ID as
    Hispanic who use little matter that they have more than one record. If the person is Hispanic,
    Then identify which category they are. If they have only a record (or multiple records in the same category),
    Code for the main category. If they have more than one record in all categories (except Hispanic), then count
    them as multi-ethnic.

    Because the table is large and is joined with other tables for the various reports, I would like to know
    If there is a way more efficient and parallel to write the sql statement. In addition, for the future, they
    intend to request a report that will decompose the multiethnic in different categories to display a chart.
    I thought that I would need pivot 'horizontally', or could happen "vertically," the way that the
    underlying table is.

    In the sample data:
    1st person has two records Hispanic and European; count under "Hispanic."
    2nd person has two white records and Western Europe; count as 'White '.
    3rd person has two records Indian and African; count under "multiethnic".
    4th person has a record of the Sioux; count under "American Indian or Alaska Native".


    Here is a table of sample data:
    CREATE TABLE ETHTEK
    (
      ID             VARCHAR2(5 CHAR),
      ETHCODE        VARCHAR2(1 CHAR),
      ETHGROUP_CODE  VARCHAR2(3 CHAR),
      ETHGROUP       VARCHAR2(30 CHAR)
    );
    
    INSERT INTO ETHTEK
    (ID, ETHCODE, ETHGROUP_CODE, ETHGROUP)
    Values
    ('11111', '5' ,'SEU', 'Southern European');
    INSERT INTO ETHTEK
    (ID, ETHCODE, ETHGROUP_CODE, ETHGROUP)
    Values
    ('11111', 'H', 'SAM', 'South American');
    INSERT INTO ETHTEK
    (ID, ETHCODE, ETHGROUP_CODE, ETHGROUP)
    Values
    ('11121', '5', 'WEU', 'Western European');
    INSERT INTO ETHTEK
    (ID, ETHCODE, ETHGROUP_CODE, ETHGROUP)
    Values
    ('11121', '5', '5', 'White');
    INSERT INTO ETHTEK
    (ID, ETHCODE, ETHGROUP_CODE, ETHGROUP)
    Values
    ('11122', '3', 'AF', 'African');
    INSERT INTO ETHTEK
    (ID, ETHCODE, ETHGROUP_CODE, ETHGROUP)
    Values
    ('11122', '2', 'IND', 'Indian');
    INSERT INTO ETHTEK
    (ID, ETHCODE, ETHGROUP_CODE, ETHGROUP)
    Values
    ('11159', '1', 'SIO', 'SIOUX');
    Note: for do not need to create another table, I've hardcoded the translation of the description in the box instructions
    in the following query. The actual query uses a lookup table.

    Here's the sql code: (for some reason, in my preview, the upper/lower that the symbols are not, so put a comment on the lines that should be not equal in case they don't show up when posting)
    WITH e AS                                                       --Ethnicity
            (SELECT DISTINCT id,
                             ethcode, 
                             ethgroup_code
                             ethgroup
                        FROM ethtek
            ),
            h AS                                                        --Hispanic
            (SELECT id, ethcode
               FROM e
              WHERE ethcode = 'H'),
            nhm AS                                  --Non Hispanic or Multi Ethnic
            (SELECT DISTINCT id, ethcode
                        FROM e
                       WHERE ethcode <> 'H'),             -- Not Equal 'H'
            nh AS                                                   --Non Hispanic
            (SELECT id,
                    CASE
                       WHEN COUNT (*) OVER (PARTITION BY id) >
                                                                 1
                          THEN 'M'
                       ELSE ethcode
                    END AS ethcode
               FROM nhm
              WHERE ethcode <> 'H')                     -- Not Equal 'H'
       SELECT id, ethcode,
              CASE
                 WHEN ethcode = 'H'
                    THEN 'Hispanic or Latino'
                 WHEN ethcode = '5'
                    THEN 'White'
                 WHEN ethcode = 'M'
                    THEN 'Multi-Ethnic'
                 WHEN ethcode = '1'
                    THEN 'American Indian or Alaskan Native'
                 ELSE ethcode
              END AS ethnic_desc,
              CASE
                 WHEN ethcode = 'H'
                    THEN '4'
                 WHEN ethcode = '4'
                    THEN '5'
                 WHEN ethcode = '5'
                    THEN '6'
                 ELSE ethcode
              END AS old_ethnicity_code
         FROM (SELECT DISTINCT h.*
                          FROM h
               UNION
               SELECT DISTINCT nh.*
                          FROM nh LEFT OUTER JOIN h ON nh.id =
                                                                      h.id
                         WHERE h.id IS NULL) eth;
    What is the result of the query:
    Row#     ID     ETHCODE     ETHNIC_DESC     OLD_ETHNICITY_CODE
    1     11111     H     Hispanic or Latino               4
    2     11121     5     White                         6
    3     11122     M     Multi-Ethnic                    M
    4     11159     1     American Indian or Alaskan Native     1
    Thus, on 7 disks, we only have 4 people once.

    This is the result of summary query (not included):
         Group               Total
    American Indian/Alaskan Native     1
    Hispanic               1
    White                    1
    Multi-Ethnic               1
    Total                    4

    Hello

    Thanks for posting the CREATE TABLE and INSERT.
    The main reason for this is to allow people who want to help you recreate the problem and test their ideas. If you post statements that don't work, it defeats the purpose.
    Please check all the code before you post. Each of the INSERT statements has a lack of parentheses or quotation (usually two).

    If you have a parent-child relationship within the gorrace; some lines are parents of other lines, and you want the children to inherit traits from their parents.
    What you posted is the usual way to the relational database for handling that: a self-join. I don't see any obvious ways to make the self-join more quickly.
    You can avoid the self-join in your query if you are willing (and able) to denormalize the table and copy the traits inherited from their parents to their children. This looks like the kind of table that won't change very often, in order to maintain the standard table shouldn't be a big project. However, if the table has only 56 lines, so whatever you do with it, maybe not a great impact on the overall performance of the query.

    If you want to improve performance, a more scientifically to go about this is to know what that bottlenecks in the existing query and remedy.
    See these discussions on how to report a tuning issue:
    When your query takes too long...
    HOW to: Validate a query of SQL statement tuning - model showing
    Then start a new thread, setting just about the request.

  • issue of OSB spanning SOA 11 g exisitng field

    Hi, I recently installed SOA with 2 servers clustered managed environment of soa, 2 servers wsm and a management server, its installation of 2 nodes.

    Now, I am trying to expand the field to include the OSB. installed the OSB 11.1.1.5 pointing middleware House, completed the pack and unpack commands,.

    When executing the command of decompression, I get the warning below,

    > > WARNING: writing area to ' / oracle/apps/td/admin /...» »

    > > The 'JDBC' your domain configuration is not valid. Try to resolve the issue by examining your script. The wizard will continue, but you can start the server in the domain, and review the messages to identify the invalid configuration.

    Why this warning is coming is because the Déby database is down, please help.

    Problem solved, we should include -overwrite = true option in the command to unpack.

  • The OSB means deployment Scripts: PermGen space issue

    Hi all

    I get this error at irregular intervals and to solve this problem, I have to bounce my machine. Please help (here is the error in the .log file that is created in the .metadata folder)

    ! SESSION 2012-03-20 15:21:13.299-
    eclipse.buildId = M20110210-1200
    Java.version = 1.6.0_25
    Java.Vendor Sun Microsystems Inc. =.
    BootLoader constants: OS = win32, ARCH = x 86, WS = win32, NL = en_US
    Framework arguments:-application com.bea.alsb.core.ConfigExport - configProject Configuration OSB - configSubProjects RLTPCommonDataModel, RLTPCommonServices, RLTPSimulators, RLTPDummyServices, RLTPInventoryServices, RLTPOrderServices, RLTPMOMFileSyncUp, RLTPRTLogService, RLTPExchangeRates configJar - sbconfig.jar - false includeDependencies
    Command line arguments:-data. -application com.bea.alsb.core.ConfigExport - configProject Configuration OSB - configSubProjects RLTPCommonDataModel, RLTPCommonServices, RLTPSimulators, RLTPDummyServices, RLTPInventoryServices, RLTPOrderServices, RLTPMOMFileSyncUp, RLTPRTLogService, RLTPExchangeRates configJar - sbconfig.jar - false includeDependencies

    ! ENTRY org.eclipse.core.jobs 4 2 15:23:57.544 2012-03-20
    ! MESSAGE an internal error occurred during: "periodic workspace save.".
    ! BATTERY 0
    means: PermGen space
    at java.lang.String.intern (Native Method)
    to org.eclipse.equinox.internal.p2.persistence.XMLParser$ TextHandler.processCharacters (XMLParser.java:461)
    to org.eclipse.equinox.internal.p2.persistence.XMLParser$ AbstractHandler.finishCharacters (XMLParser.java:224)
    to org.eclipse.equinox.internal.p2.persistence.XMLParser$ AbstractHandler.endElement (XMLParser.java:176)

    Hello Amit,

    Try adding an additional option of jvmarg java target. What follows is the build script that we use. He also had to increase the value of osgi.bundlefile.limit.


    jar="${Eclipse.home}/plugins/org. Eclipse.Equinox.launcher_1.1.0.v20100507.jar ".
    fork = "true".
    FailOnError = "true".
    MaxMemory = "1024 m" >













    Greetings,
    Wilco

  • Issue of JMS Dequeue - OSB

    Hello

    We have created a JMS queue in WLS 10.3.0 and OSB (10.3.1) uses the proxy service - JMS transport to dequeue messages.

    Queue JMS WLS-> Proxy-> Business Service (JCA Db adapter) OSB to insert data in a table

    IF error in db-> error to invoke OSB and write to a file manager

    Case - success
    --------------------

    The messages are deleted from the queue

    Case - failure
    -----------------

    The messages are not deleted from the queue. Error handler is invoked in OSB and messages are written to a file.


    This creates a problem since the attempts of the OSB and the number of files is created. We tried to fix the settings of retry in OSB, to no avail.

    Please make a contribution, it is a little bit of urgency.

    Kind regards
    AP

    Published by: ARPL on October 15, 2009 03:41

    If I understand correctly your problem right, you want to deal with errors on your own and you don't want OSB to try again for messages that have been processed with the error? Ok?

    Your JMS proxy is transactional. When it detects errors, JMS transaction is restored, your message remains in the JMS queue and will be dealt with later again. If you want to avoid a repeated treatment of the same message, then simply adjust your proxy error handler. You can do this by using the resume action or a response at the end of your error handler. This will ensure that messages are processed successfully and the transaction will commit.

    http://download.Oracle.com/docs/CD/E13159_01/OSB/docs10gr3/Userguide/modelingmessageflow.html#wp1065361

  • SQL Tuning "read-consistency Issue.

    Hello

    Oracle 9.2 we Dim 5.10

    I have a problem with the query below.
    SELECT INDV_ID
    FROM
     INDV WHERE SSN = :B1
    
    
    call     count       cpu    elapsed       disk      query    current        rows
    ------- ------  -------- ---------- ---------- ---------- ----------  ----------
    Parse        1      0.00       0.00          0          0          0           0
    Execute    121      0.16       0.09          0          0          0           0
    Fetch      121    327.52     320.00    1446367    1892864          0           2
    ------- ------  -------- ---------- ---------- ---------- ----------  ----------
    total      243    327.68     320.10    1446367    1892864          0           2
    
    Misses in library cache during parse: 1
    Optimizer goal: CHOOSE
    Parsing user id: 42  (CORE)   (recursive depth: 1)
    
    Rows     Execution Plan
    -------  ---------------------------------------------------
          0  SELECT STATEMENT   GOAL: CHOOSE
          0   TABLE ACCESS   GOAL: ANALYZED (BY INDEX ROWID) OF 'INDV'
          0    INDEX   GOAL: ANALYZED (RANGE SCAN) OF 'INDV_IDX1' (NON-UNIQUE)
    
    
    
    Elapsed times include waiting on following events:
      Event waited on                             Times   Max. Wait  Total Waited
      ----------------------------------------   Waited  ----------  ------------
      db file sequential read                     97091        0.02          4.85
      db file scattered read                     270729        0.01         40.49
    ********************************************************************************
    The above query is part of a release of tkprof with sql trace level 8. A simple query with a good explain plan and if I run the query each it doesn't take any time. But the work takes 12 hours to complete with most of the time showing the query above as the "current state". The query above should run appx 16000 times in the work. The above output is a record which lasted only 15-20 min. If we see the value of the query and disk above, the value is too high from the table and he ranks should not change very often (I won't say static though).

    I would be very grateful if someone can explain the behavior of query above.

    Thank you
    Ankit.

    It looks like SQL from a pl/sql procedure.
    "Implementation Plan" is almost certainly wrong, and you do a comprehensive analysis or full index.
    It is likely that you have a type mismatch that is the problem.

    Option 1) your SSN is a character column, the pl/sql variable is of a different type - perhaps a number.
    Option 2) for some reason, you have a defined character offset - SSN is perhaps a varchar2 and the incoming pl/sql variable is a 'nvarchar' or similar, probably because of character set used on the client.

    Since you have the tkprof output and it comes to 9i, then you might look at the trace file to find the text of this statement and check the line where it says: «Parsing in cursor...» ", this will be an entry hv = NNNNN.

    To see the offender for the instruction memory:

    select
            operation, options, object_name
    from    v$sql_plan
    where
            hash_value = {your value for NNNNN}
    order by
            child_number, id
    ;
    

    Next step - look for the pl/sql with this SQL and check the type of variable.

    Concerning
    Jonathan Lewis
    http://jonathanlewis.WordPress.com
    http://www.jlcomp.demon.co.UK

    "The greatest enemy of knowledge is not ignorance, it is the illusion of knowledge." Stephen Hawking.

  • Various issues with Satellite M40 225

    Hello

    I am having some problems with my laptop Satellite M40-225. -Here's...

    First of all when booting I get a bad / lack error OSB, in order for me to get to the start I must incline Press esc, go into the bios then get out of the bios tilt the laptop again and it will start then.

    Also I sometimes get errors BOSD, sometimes he mentions ati2, but above all it says physical memory.

    I have flashed the bios to try to get rid of the first error but no luck.
    Nothing new has been installed on the laptop, I even reloaded windows and tried with a spare hard drive, but nothing seems to work!

    Please help, I know that probably need something alternative, but I don't want to start buying things for her I have I don't know what's going to fix it.

    Thank you

    Susie

    Hello

    AFAIK usually Missing/Bad OSB logo error message is displayed if the error was detected in the BIOS or CMOS ROM module

    But according to the BSOD with physical memory error error, I guess that your modules of memory are not correct and that this must be the main reason for you questions.

    Of course I could be wrong also, and perhaps the whole issue is related to the faulty motherboard but in the first step, you should check your modules of memory installed.

    Hope you will get rid of these questions after a replacement memory.
    I keep fingers crossed ;)

    Good luck

  • HP ENVY Phoenix 850-065se: Intel Extreme Tuning Utlitiy

    Anyone who has used the Intel UERX to overclock their machine?  I'm a biy intrigued by what I see...

    I just bought two of the 850-065se PC.  When I run the UERX on one of them, I get more options than others.  For example, the 'Memory' option does not appear in the list on either of the computrs.  I checked BIOS settings repeatedly and they are identical.

    Any ideas?

    You can view the documentation on the HP ENVY Phoenix desktop PCs line - specifically in the "Change the Game" section under the "capacity of Overclocking...

    http://store.HP.com/us/en/PDP/sales-landing/HP-envy-Phoenix-desktop-PC-m0k57av-ABA-1?JumpID=Desktops_Finder_PDP

    FWIW, I reset the BIOS default and uninstalled/reinstalled Intel Extreme Tuning Utility and which fixed the issue.

  • With Microsoft Vista and McAfee Internet connection issues

    Hi I would appreciate any help with this issue.  I'm not a very experienced user.  I'm having all kinds of problems with McAfee Security 9.0.  He stops working and says I have no internet connection and that you can not update. I contacted McAfee and they came on my computer, uninstalled and reinstalled and I'm still having the same problem.  Them, that I came across an article from McAfee dealing with this problem and Windows Vista.  I have the 64 bit version.  The solution is 1. Click on the Windows button and type cmd.

    2. right click on cmd and run as administrator

    3. at the prompt, type the following command, and then press ENTER:

    netsh int tcp set global autotunninglevel = off

    It then gives you instructions to reactivate the auto-tuning network if this does not resolve the problem.

    I would like to know if anyone has tried this and the results, also if this works this deactivation causes me to have other problems with my computer.

    This may seem very simple for some people, but because I'm not known I want to create more problems than I have now.  Through this site, I learned how to remove McAfee from my computer, and it would be the last thing I would do if nothing works.

    Thank you... Victoria

    Hello

    It's as good as anything else, it's free and designed to work properly with Windows OS'.

    http://www.Microsoft.com/security/PC-security/MSE.aspx

  • fine tuning of the FMS

    Hi all

    Could someone help me suggest some items related to the performance of the FMS tweaking as one of my management server is inefficient and would like to know where are the vulnerabilities and want to remove unwanted stuff that is really carry out the execution.

    -Shiva

    There's a Foglight performance tuning guide

    http://eDOCS.quest.com/Foglight/567/files/FoglightPerformanceTuning_Field.PDF

    When you look at dashboards performance Foglight, Foglight (or Management Server) > diagnosis > Performance, you can see the use of memory, use of connection pool and other performance data.

    There may be some resons of many performance issues, the question may be the use of the memory JVM that needs to increase memory, it can be use to the pool connection that need tweaking, the backend DB which is used and who has problems, unhandled alarms and stay in memory, issue BONES, the parameters of the virtual machine to the machine , the FMS is running on.

    If you open a support case and send support a support package for Foglight Server they can help you with these performance issues, they will also need to know if it's all the edge who have problems or those specific tables as well as OS information and details on the BONE being virtualized or physical host.

    Hope this helps,

    Golan

  • ORACLE 11g R2 RAC Interconnect latency tuning

    We will address some related to the interconnection of network settings at the level of the OS/HW/VMWare and check if there is a difference in latency for different parameters of interconnection.

    We cannot test in a real production environment. So, we need to emulate the issue of interconnection somehow in our test environment and compare results (latency) for different HW/VM settings.

    Y at - it any way/approach that we can use for testing? For example, to run a script that causes a large number of requests for blocks from one node to another and measure certain parameters.

    What related interconnection parameters/settings, we can check in the Oracle and compare tests for different configurations of OS/HW?

    Ideally, we need to create a test case that we can reuse and compare the results.

    All references are very much appreciated.

    We use the following environment:

    Oracle SE 11 GR 2 CARS of two nodes.

    Windows 2008R2.

    VMWare ESXi6.0.

    Cisco UCS blades.

    Thank you

    Yaro

    When I wrote Oracle RAC Performance Tuning, I devoted a chapter on optimization of the cluster of interconnection. In order to show the impact of some changes on how interconnection has been configured, I used the freely available iperf utility.

    One of the things it's important to know for the Cluster of interconnection is that the device uses UDP. Thus, any tool that you use must be able to send UDP instead of TCP packets. Iperf can do both.

    "For example, to run a script that causes a large number of requests for blocks from one node to another and measure certain parameters.

    One of the biggest problems with this approach is that you have a lot of variables involved. The buffer Cache, of the shared pool, the system drives, etc, etc, etc. With a tool such as Iperf, you can measure just the performance of the network.

    See you soon,.
    Brian

  • Import projects 11 g OSB via the Script in OSB 12 c

    Hi all

    We must maintain the OSB 11 g and 12 c OSB instances at the same time. In order to avoid the double the OSB project, we are looking for solutions to deploy (import and deploy) OSB g 11 projects on the fly to the OBS 12 c. We have a deployment in place environment (from python scripts).

    We know that we can import OSB Scripts through JDeveloper or OSB Console, but we want to automate this step.

    It is possible to develop the code done these steps? Does anyone have ideas or experience with this issue?

    Thank you

    In fact we tried it and it works. We use API OSB of the to deploy.

    See here: http://docs.oracle.com/middleware/1213/osb/java-api/toc.htm

    It deploys 11g as projects of 12 projects. It converts e.g. Xquerys to the correct version (draft 2004) or divides services agents of pipelines and proxy services. So all good.

    Thank you very much for your support!

    Thomas

  • That means 1z0-117 oracle 11g sql tuning now say it includes v12 addition v11

    Hello

    I did the 1z0-117 sql tuning review once.

    Not too far away.

    I studied under and turned off for a while.

    I anticipate taking in 1 month.

    However, I just noticed that the oracle site says 1z0-117 also said that v12 is also included for consideration:

    Oracle 11g sql tuning.

    It makes no sense at all.

    Roger

    However, I just noticed that the oracle site says 1z0-117 also said that v12 is also included for consideration:

    Oracle 11g sql tuning.

    Unless you are looking for something I'm not, what actually is the 1Z0-117 page says: "validated against: review has been validated against Oracle Database 11g Release 2 version 11.2.0.1.0 and database Oracle 12 c 12.1.0.1.0"

    What they actually mean by it is that someone went through all the issues and and asked the question "is still a relevant issue for the release of 12 c to Oracle?'." "  If they find issues that are not valid because of an update/change, then the question will be removed from review (or changed) so that someone who has used 12 c but not 11 g will not at a disadvantage.

    This is * No * means that Oracle has added questions to the review of the capabilities that were introduced in version 12 c.

  • Question while doing an OSB from REST to pass through.

    Hi all

    I'm doing a REST pass-thorugh-> OSB-> Service REST.

    While I am able to do a GET successfully, the JOB gives me questions.

    The POST is Source of REST gives no specific error, but the entity is created. Instead of 201 CREATED in response I get 200 OK in response.

    The strange thing is that while I try the OSB through curl command execution I don't face problems and everything goes smoothly. But Source rest the problem occurs.

    The difference that I see black and white hit the curve and source of REST I see is the type of payload.

    using curl the (json) payload into OSB entered service is like:

    {"casmwdcipwwlus111": {"jcr:primaryType": "nt: unstructured","job-signature": "environment Luma: local;}} Source:; ","adekai": {"jcr:primaryType":" nt: unstructured ',' al1de912tbk': {'platform':} "' Veswwtel: MBEEXD # 2s ',}

    {'support-status': 'white', 'nDECsl notes': '',' model': 'rfreDAL1912STBK', '-version of the software ":"0.7.7S","jcr:primaryType":" nt: unstructured "},"Fedwsdfl2410tbk

    However, since the source REMAINS the payload becomes like:

    JCR % 3AprimaryType = nt % 3Aunstructured & % 3Aoperation = import & % 3AcontentType = json & % 3Areplace = true & _charset_ = UTF-8 & % 3Acontent = % 7B % 22casmwdcipwwlus111%22% 3A % 7B % 22jcr % 3AprimaryType % 22% 3A % 22nt % 3Aunstructured % 22% 22% 3A % 22% 22job-signature %2C

    Luma + environment % 3 a and 3 b local % Source % 3 a + http % 3 a % 2F % 2F % 2Fapi 3 b + % 22 %%2C % 22adekai% 22% 3A % 7B % 22jcr % 3AprimaryType % 22% 3A % 22nt % 3Aunstructured 22 %%2C % 22al1912tbk % 22% 3A % 7B % 22platform % 22% 3A % 22Vdedtdel

    I think the issue I'm failng is due to this type of content payload.

    Guidance on this subject.

    Kind regards

    R V

    The question has solved when I changed the content type of "application/json" to "application/x-www-formulaires-urlencoded.

    Thank you

  • MDS OSB 12 c runtime

    Hello everyone, one had experience with MDS in OSB 12 c. I create the connection of mds and mds partion of soa-infra. When I try to open it in my project of OSB, I've not seen artifacts other apps folder and then who comes by default. Tried the same thing in SOA project and I can see all the artifacts when I Browse. I tried to create time to design for the OSB mds this too, I am not able to see. Anyone in front of these issues. Some may throw some light here? Best regards, TJ

    OSB uses not MDS to store artifacts. It is stored on the file system on the server of the OSB.

    OSB must the WSDLs and Proxy patterns and commercial Services to be registered as OSB to OSB server resources.

Maybe you are looking for

  • OfficeJet Pro 8600, more than 8600: Airprint loses connection

    After turning on the printer, I can use airprint on Mac or iPad for 1 minute about. Then the connection is lost. Printer is NOT in the list of Apple airprint more. HP working on a solution, or I change something?

  • How to start the installation of recovery on Satellite A200?

    I hope someone can help. My laptop wouldn't start this morning, so I hit CTRL-ALT-DEL to restart, I got the splash screen telling me to press F2 or F12, let it go and stopped the laptop to a black screen with a cursor blinking in the upper left.I had

  • Two external displays connected to my dock and my ThinkPad T450

    I have two external displays connected to my dock and my ThinkPad T450.Everything works fine, when suddenly the monitor LEN LT2223pwC (using DP cable) goes into energy saving mode during use and there is not up to come back/wake, only to turn it off

  • My C4680 will not connect to my imac

    The ink levels are not available. A simple page of text printing takes longer than 5 minutes to start, docs more take 30 minutes. Œuvres copy function, prints in seconds.

  • Address book to blackBerry Smartphones locked publishing

    My address book on my curve 8530 will not let me add a new contact, change existing contacts and display some contacts. I can still call, text and email from the address book. I can remove it.  Any suggestions? Thank you