Addition of several xml using Insertxmlbefore in a single query. Help, please.

Oracle version

Oracle Database 11 g Enterprise Edition Release 11.2.0.4.0 - 64 bit Production

PL/SQL Release 11.2.0.4.0 - Production

CORE Production 11.2.0.4.0

AMT for Linux: Version 11.2.0.4.0 - Production

NLSRTL Version 11.2.0.4.0 - Production

I have an xml where I need to insert a new xml basedupon the partyID.

for each partyid in the need to xmoutput to insert representative data.

with t as (
select 1 source_no , xmltype('<report>
                   <partyReported partyId="1">
                     <name> TEST123</name>
                  </partyReported>
                  <partyReported partyId="2">
                     <name> TEST456</name>
                  </partyReported>
               </report>')
               xmloutput
               from dual
            )
          ,
          t_member as (
           select 1 candidate_no, xmltype('<Representative>
                                       <name> rep123 </name>
                              </Representative>') rep_xml from dual
          union all
          select 2 , xmltype('<Representative>
                                       <name> rep456 </name>
                              </Representative>') from dual
        )
        , t_rep_member as(
        SELECT
          source_no
        , X.*
        , xmloutput
     FROM
          t
        , XMLTABLE ('/report/partyReported' passing xmloutput COLUMNS candidate_no INTEGER PATH '@partyId', candidate_idx FOR ordinality ) AS X
     )
     , all_data
     as (
     select sourcE_no, a.candidate_no, xmloutput, rep_xml from t_rep_member a, t_member b
     where a.candidate_no = b.candidate_no
     )
     select source_no, MergeRepXml(repxml(candidate_no,rep_xml,xmloutput)) final_xml from all_data
     group by sourCe_no;

source_no, candidate_no, candidate_idx, xmloutput

1    1    1    "<report>                   <partyReported partyId="1">                     <name> TEST123</name>                  </partyReported>                   <partyReported partyId="2">                     <name> TEST456</name>                  </partyReported>                </report>"
1    2    2    "<report>                   <partyReported partyId="1">                     <name> TEST123</name>                  </partyReported>                   <partyReported partyId="2">                     <name> TEST456</name>                  </partyReported>                </report>"



I solved this problem, but I get an error message when I try to do 1000 of them.

ERROR:

ORA-22813: value of the operand is greater than the limits of the system

create or replace
type RepXml as object( candidate_no number, rep_xml xmltype, output xmltype)
/
create or replace
type RepXmltab as table of RepXml
/





create or replace
type MERGEREP as object
(
  -- string varchar2(4000),                  -- deleted
  val_table  RepXmltab ,           -- added


  static function ODCIAggregateInitialize
    ( sctx in out MERGEREP )
    return number ,

  member function ODCIAggregateIterate
    ( self  in out MERGEREP ,
      value in     RepXml
    ) return number ,

  member function ODCIAggregateTerminate
    ( self        in  MERGEREP,
      returnvalue out xmltype,
      flags in number
    ) return number ,

  member function ODCIAggregateMerge
    ( self in out MERGEREP,
      ctx2 in     MERGEREP
    ) return number
);


create or replace
type body MERGEREP
is

  static function ODCIAggregateInitialize
  ( sctx in out MERGEREP )
  return number
  is
  begin

     sctx := MERGEREP( repxmltab(null,null,null) );
     --val_table:= repxmltab(null);

    return ODCIConst.Success ;

  end;

  member function ODCIAggregateIterate
  ( self  in out MERGEREP ,
    value in     RepXml
  ) return number
  is
  begin

    self.val_table.extend;
    self.val_table(self.val_table.count) := value;

    return ODCIConst.Success;
  end;

  member function ODCIAggregateTerminate
  ( self        in  MERGEREP ,
    returnvalue out xmltype ,
    flags       in  number
  ) return number
  is

    v_data  xmltype ;

  begin

v_data:= null;

for x in (
     select candidate_no,rep_xml,output
      from   table(val_table)
      )
      loop
      v_data:= x.output;

      end loop;
           
   
    for x in
    (
select candidate_no,rep_xml,output
      from   table(val_table)
      )
    loop
    select insertxmlbefore(v_data,'/report/partyReported[@partyId="'||x.candidate_no||'"]', x.rep_xml) into v_data from dual;
null;
    end loop;

    returnValue := ( v_data) ;

v_data:= null;

    return ODCIConst.Success;

  end;

  member function ODCIAggregateMerge
  ( self in out MERGEREP ,
    ctx2 in     MERGEREP
  ) return number
  is
  begin

    for i in 1 .. ctx2.val_table.count
    loop
      self.val_table.extend;
      self.val_table(self.val_table.count) := ctx2.val_table(i);
    end loop;



    return ODCIConst.Success;

        end;
  end;
/

create or replace
function MergeRepXml
  ( input RepXml )
  return xmltype
  deterministic
  parallel_enable
  aggregate using MERGEREP
;
/

With my limited knowledge, I tried to write recursive with clause and achieve the expected results, but many lines are displayed.

WITH
     t1 AS
     ( SELECT * FROM aps_extendedoutput WHERE source_no = 261177
     )
     --     select * from t1;
   , t AS
     (SELECT
          source_no
        , X.*
        , xmloutput
     FROM
          t1
        , XMLTABLE ('/report/role/partyReported' passing xmloutput COLUMNS candidate_no INTEGER PATH '@partyId', candidate_idx FOR ordinality ) AS X
     )
     --     select * from t;
   , all_data AS
     (SELECT
          /*+ materialize */
          t.candidate_no
        , rep_xml
        , source_no
        , t.candidate_no
        , xmloutput
     FROM
          t
        , aps_reppartyxml t_p
     WHERE
          t.candidate_no = t_p.candidate_no
     )
     --   select * from all_data;
   ,recursive_data(candidate_i, xmloutput, source_no, candidate_no) AS
     (SELECT
          1 candidate_i
          , xmloutput
        ,  source_no
        , 0 candidate_no
     FROM
         t1
     UNION ALL
     SELECT
          candidate_i + 1
          , insertxmlbefore(rd.xmloutput,'/report/role/partyReported[@partyId="'
          ||ad.candidate_no
          ||'"]', ad.rep_xml) xmloutput
        , ad.source_no
        , rd.candidate_no
     FROM
          all_Data ad
        , recursive_data rd
     WHERE
          ad.sourcE_no        = rd.source_no and
           candidate_i     < 3
     )
SELECT *  FROM recursive_data;

for example

SQL> create table t_member as (
  2  select 1 candidate_no, xmltype('
  3                                rep123 
  4                      ') rep_xml from dual
  5  union all
  6  select 2 , xmltype('
  7                                rep456 
  8                      ') from dual
  9  );

Table created.

SQL>
SQL> set long 5000
SQL>
SQL> with t (source_no, xmloutput) as (
  2    select 1
  3         , xmltype('
  4                      
  5                          TEST123
  6                      
  7                      
  8                          TEST456
  9                      
 10                   ')
 11    from dual
 12  )
 13  select t.source_no
 14       , xmlserialize(document
 15           xmlquery(
 16             'copy $d := .
 17              modify (
 18                for $i in $d/report/partyReported
 19                  , $j in fn:collection("oradb:/DEV/T_MEMBER")/ROW
 20                where $j/CANDIDATE_NO = $i/@partyId
 21                return insert node $j/REP_XML/* before $i
 22              )
 23              return $d'
 24             passing t.xmloutput
 25             returning content
 26           )
 27           indent
 28         ) as final_xml
 29  from t ;

 SOURCE_NO FINAL_XML
---------- --------------------------------------------------------------------------------
         1 
             
                rep123 
             
             
                TEST123
             
             
                rep456 
             
             
                TEST456
             
           

Tags: Database

Similar Questions

  • For some reason, the tab 'Base' is missing from my file to develop trying to change using LR5... ? Help, please

    For some reason, the tab 'Base' is missing from my file to develop trying to change using LR5... ? Help, please

    Right-click (Cmd-click Mac) on another connector for Panel as "tone curve". Make sure there is a check mark for Basic as all other sections of the Panel you want to display.

  • How can I use a panel of single query with criteria of two view?

    Hi all

    I have a requirement to allow users to change the "display mode" on a table of tree search results for an advanced search page. What this will do, is change the structure of how the data are arranged. In one case, the picture of the tree is 3 levels deep, otherwise, it's only 2 with different data at the level of the root node.


    What I've done so far:


    1) I exposed the relationship of data for these two ways to view the data in the data model of the module of the application.

    (2) I created a view of criteria in two view objects that are originally relationships, where (for simplicity) I'm comparing only one field.

    It is in the object from a point of view:

    <ViewCriteria
        Name="PartsVOCriteria"
        ViewObjectName="gov.nasa.jpl.ocio.qars.model.views.PartsVO"
        Conjunction="AND">
        <Properties>... </Properties>
        <ViewCriteriaRow
          Name="vcrow23"
          UpperColumns="1">
          <ViewCriteriaItem
            Name="PartDiscrepantItemsWithIRVO"
            ViewAttribute="PartDiscrepantItemsWithIRVO"
            Operator="EXISTS"
            Conjunction="AND"
            IsNestedCriteria="true"
            Required="Optional">
            <ViewCriteria
              Name="PartDiscrepantItemsWithIRVONestedCriteria"
              ViewObjectName="gov.nasa.jpl.ocio.qars.model.views.PartDiscrepantItemsWithIRVO"
              Conjunction="AND">
              <ViewCriteriaRow
                Name="vcrow26"
                UpperColumns="1">
                <ViewCriteriaItem
                  Name="InspectionRecordNumber"
                  ViewAttribute="InspectionRecordNumber"
                  Operator="="
                  Conjunction="AND"
                  Value=""
                  Required="Optional"/>
              </ViewCriteriaRow>
            </ViewCriteria>
          </ViewCriteriaItem>
        </ViewCriteriaRow>
      </ViewCriteria>
    

    and it is in the other display object:

     <ViewCriteria
          Name="IRSearchCriteria"
          ViewObjectName="gov.nasa.jpl.ocio.qars.model.views.InspectionRecordVO"
          Conjunction="AND">
          <Properties>... </Properties>
          <ViewCriteriaRow
             Name="vcrow7"
             UpperColumns="1">
             <ViewCriteriaItem
                Name="InspectionRecordNumber"
                ViewAttribute="InspectionRecordNumber"
                Operator="="
                Conjunction="AND"
                Required="Optional"/>
          </ViewCriteriaRow>
       </ViewCriteria>
    

    (3) I had a query Panel table and automatically generated tree by doing drag control data for ONE of the relationship of view object data that is exposed in the app module. Then, I created a second query Panel table and tree in the same way but using the data control to the other. I am one of the query cache permanently panels and toggling the visibility of the tree based on the user tables selects display mode. Both have separate links and iterators.

    It is a part of the definition of the page:

    <executables>
        <variableIterator id="variables"/>
        <searchRegion Criteria="IRSearchCriteria"
                      Customizer="oracle.jbo.uicli.binding.JUSearchBindingCustomizer"
                      Binds="InspectionRecordVOIterator"
                      id="IRSearchCriteriaQuery"/>
        <iterator Binds="InspectionRecordVO" RangeSize="25"
                  DataControl="QARS_AppModuleDataControl"
                  id="InspectionRecordVOIterator" ChangeEventPolicy="ppr"/>
        <iterator Binds="Root.QARS_AppModule.PartsVO1"
                  DataControl="QarsMasterAppModuleDataControl" RangeSize="25"
                  id="PartsVO1Iterator"/>
        <searchRegion Criteria="PartsVOCriteria"
                      Customizer="oracle.jbo.uicli.binding.JUSearchBindingCustomizer"
                      Binds="PartsVO1Iterator" id="PartsVOCriteriaQuery"/>
      </executables>
    

    (4) I have created a queryListener custom to delegate the query event.

    It's in my jsp to advanced search page:

    <af:query id="qryId1" headerText="Search" disclosed="true"
                      value="#{bindings.IRSearchCriteriaQuery.queryDescriptor}"
                      model="#{bindings.IRSearchCriteriaQuery.queryModel}"
                      queryListener="#{pageFlowScope.SearchBean.doSearch}"
                      queryOperationListener="#{bindings.IRSearchCriteriaQuery.processQueryOperation}"
                      resultComponentId="::resId2" maxColumns="1"
                      displayMode="compact" type="stretch"/>
    

    It's in my grain of support:

    public void doSearch(QueryEvent queryEvent) {
          String bindingName = flag
             ? "#{bindings.IRSearchCriteriaQuery.processQuery}"
             : "#{bindings.PartsVOCriteriaQuery.processQuery}";
    
          invokeMethodExpression(bindingName, queryEvent);
       }
    
       private void invokeMethodExpression(String expr, QueryEvent queryEvent) {
          FacesContext fctx = FacesContext.getCurrentInstance();
          ELContext elContext = fctx.getELContext();
          ExpressionFactory eFactory = fctx.getApplication().getExpressionFactory();
         
          MethodExpression mexpr =
             eFactory.createMethodExpression(elContext, expr, Object.class, new Class[] { QueryEvent.class });
         
          mexpr.invoke(elContext, new Object[] { queryEvent });
       }
    

    When no number inspection (the only field of research so far) is provided in the query Panel, then it behaves properly. Namely, table tree shows all the search results. However, when a record number of inspection is supplied the table from the tree that was created with the query running Board (don't forget there are two query panels, one of them hides) shows a single result (this is correct), while the other table tree (the one with the control panel hidden query that is not used) shows all the results (this is NOT correct).

    What I'm trying to accomplish is still doable? If so, what Miss me?

    I use JDeveloper 11.1.1.7

    Thank you

    Bill

    I ended up keeping a single query visible panel permanently and the other hidden permanently. When you perform a search using the table that has the hidden query Panel, I have the descriptor of the request for the Panel to request hidden using the descriptor of the request of the Commission in visible motion of the seeds and then delegate the request:

       public void doSearch(QueryEvent queryEvent) {
          String bindingName = null;
    
          if(isIrTableRendered()) {
             bindingName = "#{bindings.IRSearchCriteriaQuery.processQuery}";
          } else {
             seedPartsQueryDescriptor();
             bindingName = "#{bindings.PartsVOCriteriaQuery.processQuery}";
             queryEvent = new QueryEvent(partsQuery, partsQuery.getValue());
          }
    
          invokeMethodExpression(bindingName, queryEvent);
       }
    
       private void seedPartsQueryDescriptor() {
          ConjunctionCriterion criterion = irQuery.getValue().getConjunctionCriterion();  
    
          for(Criterion criteria : criterion.getCriterionList()) {
             AttributeCriterion attributeCriteria = (AttributeCriterion)criteria;
    
             List values = attributeCriteria.getValues();
    
             String qualifiedName = attributeCriteria.getAttribute().getName();
             int indexOfDot = qualifiedName.lastIndexOf(".");
    
             String name = indexOfDot < 0
                ? qualifiedName
                : qualifiedName.substring(indexOfDot + 1);
    
             ConjunctionCriterion partsCriterion =
                partsQuery.getValue().getConjunctionCriterion();
    
             for (Criterion partsCriteria : partsCriterion.getCriterionList()) {
                AttributeCriterion partsAttributeCriteria =
                   (AttributeCriterion) partsCriteria;
    
                String partsQualifiedName =
                   partsAttributeCriteria.getAttribute().getName();
    
                if (partsQualifiedName.endsWith(name)) {
                   partsAttributeCriteria.setOperator(attributeCriteria.getOperator());
    
                   List partsValues = partsAttributeCriteria.getValues();
    
                   partsValues.clear();
    
                   for (int i = 0, count = values.size(); i < count; i++) {
                      partsValues.set(i, values.get(i));
                   }
                }
             }
          }
       }
    
       private void invokeMethodExpression(String expr, QueryEvent queryEvent) {
          FacesContext facesContext = FacesContext.getCurrentInstance();
          ELContext elContext = facesContext.getELContext();
          ExpressionFactory expressionFactory =
             facesContext.getApplication().getExpressionFactory();
    
          MethodExpression methodExpression =
             expressionFactory.createMethodExpression(elContext, expr, Object.class, new Class[] { QueryEvent.class });
    
          methodExpression.invoke(elContext, new Object[] { queryEvent });
       }
    

    Then when the basis advanced/Panel visible query button, I put the same mode for the control panel hidden query programmatically:

       public void handleQueryModeChange(QueryOperationEvent queryOperationEvent) {
          if(queryOperationEvent.getOperation() == QueryOperationEvent.Operation.MODE_CHANGE) {
             QueryMode queryMode = (QueryMode) irQuery.getValue().getUIHints().get(QueryDescriptor.UIHINT_MODE);
             QueryDescriptor queryDescriptor = partsQuery.getValue();
    
             queryDescriptor.changeMode(queryMode);
             AdfFacesContext.getCurrentInstance().addPartialTarget(partsQuery);
          }
       }
    
  • Question of Clickjacking - addition of several models of url in a single filter mapping

    It's on Clickjacking issue. To avoid this problem of clickjacking I've added the following in the config file (web.xml).


    < filter mapping >
    < filter-name > CFClickJackFilterDeny < / filter-name >
    < url-pattern >https://abcd.rw.xyz.com/mer/nao/app_v4/* < / url-pattern >
    < / filter-mapping >


    I have a doubt here. I need prevent this problem of clickjacking for another application as well (say, https://abcd.rw.xyz.com/mer/nao/app_v5/*). But I did it by adding a filter plus-cartographie, apart from the one mentioned above, in the config file. I can achieve this by adding several models in the same filter mapping URL? If possible, which is the best method? I want to say the creation of a new filter-mapping or add several models of url in the same filter mapping?


    Any ideas or thoughts appreciated?

    In this case, you can use a set of with several elements of . This design is actually better than the one in which you define a url for each item in model. In the design of the latter, the underlying Java code will create additional objects to represent the additional filter mappings, unnecessarily.

  • InDesign 5.5 slowness when using master pages... Help, please

    We use master pages in InDesign.  Our records have anywhere between 100-200 master pages.  We have NEVER had problems working speed in InDesign before (IE just disabling layers takes 3-4 seconds each, etc.).  I noticed when I deleted everything but a few master pages, the performance is as it should be.  Why in 5.5 is a problem now with us?  Yet once again, the way we used InDesign before, was never a problem until now and it makes it almost impossible to work with... Thoughts?  Suggestions?

    pwhite2315:

    I don't usually do this, but you piqued my interest. I filed Bug #3125326, "10 x Head tilting visibility of layer downturn with several master pages" in your name. I would say that the chances of getting a fix for this problem in CS6 (much less before it) are low at the moment, so set your expectations correctly. I have not explored to see if there is no work around

    Notes from Adobe that the bulk of the time is devoted to generate previews of document page, by Preferences > file management > saving InDesign files: always save Images from the overview of the Documents, and disabling of these previews is a viable solution. Obviously this isn't a solution, but assuming that your workflow is compatible with this, it should help.

    (You could also the script only to that preference at the time of a file record...)

  • XML class server-side it's HORRIBLE help please

    I have worked with XML in AS2, was bad, but I did not complain, in AS3 was perfect, but server side FMS is COMPLETELY HORRIBLE I just can't work with it, I really feel sick, I feel something in the hollow of my stomach, that it is not ment to use. for the first time, I can work only with this if anyone can help me in a forum:

    I have a XML like this:

    < root >

    < Rooms >

    <>room

    Hello < name > < / name >

    < id > 123 / < ID >

    < / room >

    <>room

    < name > normal_room < / name >

    < id > 321 / < ID >

    < / room >

    <>room

    < name > special_room < / name >

    < id > 666 / < ID >

    < / room >

    < / Rooms >

    < / root >

    I loaded it successfully in an XML object, but simply cannot access the 'id' of each 'room' tag in a loop for, I have tried to do this in many means it's not like in AS2. I need help with this, tanks.

    Hello

    Try this code side Server:

    {application.onConnect = function (clientObj)}
    trace ("Connected");
    application.acceptConnection (clientObj);
    application.onNCA (clientObj);
    }

    {application.onNCA = function (clientObj)}
    URL = "http://example.com/example/example.xml";
    trace (URL);
    xmlObj = new XML();
    {xmlObj.onLoad = function (success)}
    trace (Success);
    for {(prop1 in xmlObj.firstChild.childNodes)
    for (prop2 in {xmlObj.firstChild.childNodes [prop1] Sublst.ChildNodes(1).ChildNodes(0))}
    for (prop3 to {xmlObj.firstChild.childNodes [prop1] Sublst.ChildNodes(1).ChildNodes(0) [prop2] Sublst.ChildNodes(1).ChildNodes(0))}
                       
    If (xmlObj.firstChild.childNodes [prop1] Sublst.ChildNodes(1).ChildNodes(0) [prop2] Sublst.ChildNodes(1).ChildNodes(0) [prop3] .nodeName == "id") {}
    trace (xmlObj.firstChild.childNodes [prop1] Sublst.ChildNodes(1).ChildNodes(0) [prop2] Sublst.ChildNodes(1).ChildNodes(0) [prop3] .firstChild. nodeValue);
    }
    }
    }
    }
    }
       
    xmlObj.load (url);
    }

  • Crystalstark.co.za has a response email facility which Mozilla does not use, but Internet Explorer will use to launch Outlook express. Help, please.

    The site includes a hyperlink for an e-mail response. When you open the site in Internet Explorer, the hyperlink is recognized, but Firefox does not recognize the hyperlink. Or Chrome!

    Well Yes, this happens a lot when Web pages are built using Microsoft Office coding, which uses particular coding too early versions of Internet Explorer.

  • My HP 5520 to scan in PDF format use, now it won't. Help please

    My printer does not more analysis in PDF format.  I use to select start... device & printers... HP5520... and now an article is missing.  I don't remember the name, but it allows to open another window and give me options lke printing, scanning, etc.  And then I would ask scan to email, scan-to-file, etc... but it's over.  Now all scans of m are jpg... ugh

    Hello

    Try running the software in the start menu by selecting programs > HP > HP Photosmart 5520 (folder) and click on the printer icon.

    If this screen you scan options as well (must be as scan a document or picture), it is due to outdated software... or you will need to select uninstall in this case, that to install the last version of the software below should restore the HP printer Assistant function:

    http://h10025.www1.HP.com/ewfrf/wc/softwareDownloadIndex?softwareitem=MP-108807-2&cc=us&DLC=en&LC=en&OS=4158&product=5157536&sw_lang=

    Shlomi

  • When I turn on my computer the browser automatically opens and start up to 8 pages. In this case, if I use IE, Firefox or Chrome. Help, please

    I have no idea why this is happening. He started very abrupt and have not been able to stop.

    If my computer has been shut down completely for a while it happens.

    I find it very strange

    What do you mean by "my computer has not been closed down completely for a while?

    What are the versions of IE, Firefix and Chrome?

    What is the configuration of your antivirus/anti-malware?

    What was the last time analysis was done?

    A good anti-malware is Malwarebytes: http://download.cnet.com/Malwarebytes-Anti-Malware/3000-8022_4-10804572.html?part=dl-10804572&subj=dl&tag=button

    With the suddenness mentioned your question, an analysis may be all that is necessary.

    Hope this helps

    Post back if necessary

    ___________________

    If this post can help solve your problem, please click the 'Mark as answer' or 'Useful' at the top of this message. Marking a post as answer, or relatively useful, you help others find the answer more quickly.

  • I downloaded lightroom 6 on windows 10 and when I open the app it won't let me use the app... Help, please.

    When I try to open lightroom 6 on windows 10 it is said, "adobe has stopped working, windows is looking for a solution to this and will inform you as soon as it is detected. Adobe will be closed "." Please help me, it's stupid, I paid $150 for this software and I can't even use it.

    Step 1.

    Please try to update the graphics drivers on the manufacturing site.

    Reference: Intel® Driver Update Utility

    Step 2.

    If you have tried the steps above, then simple go to control panel > Device Manager > Display Adapter > right-click on the Intel graphics card and expand it and disable it.

    Once that is done, open Lightroom see if it works.

    Step 3.

    Œuvres with Lightroom fine after completing step 2, and then clear the graphics processor of Lightroom preferences.

    Open Lightroom

    Go to Lightroom preferences in the Edit menu

    Click the performance tab

    Deselect the graphics processor

    Restart Lightroom.

    Let me know if this helps.

    Kind regards

    Mohit

  • Adobe won't let me use my paid monthly programs. Help, please!

    I pay for cloud creative to use indesign, photoshop, and adobe illustrator. Why is - it now when I upgraded their 2014 2015 edition Edition they let me just use for 30 days, then no more when I pay to get monthly?

    Hello

    Please visit:-https://helpx.adobe.com/manage-account-membership/cc-reverts-to-trial.html

    Hope this helps!

  • When opening a new browser from FireFox icon on the traybar all the open, but browsers minumized pop up on the screen too... How to prevent it from appearing? I use Windows 7 Home Premium. Help, please!

    The details are described in my question above. I've even updated twice now hoping the "bug" would be resolved. I asked that same month before but not answer to anyone. I'm so tired of having to minimize all browsers I had open, but minimized in the tray below.

    This problem may be caused by an extension that does not work correctly, maybe the Ask.com toolbar.

    Start Firefox in Firefox to solve the issues in Safe Mode to check if one of the extensions of the origin of the problem (switch to the DEFAULT theme: Firefox (Tools) > Add-ons > appearance/themes).

  • Questions about the use of Adobe Muse (was: Basic - Help please)

    I am a volunteer to build my first website, to help veterans.

    As I am new, I have some basic questions:

    1. How can I copy in the navigation buttons wrap the text so that they can be shorter?

    2. How can I create 'in the navigation of the page"where I have a pages long document and a box on the side - with topics in the document - so that a viewer can click on the button in the box and jump on this part of the document?

    3. I am confused about what I see on the screen and that a real Viewer will see.

    a. my frame is defined on a width of 960 - I have no idea why.  I have 9 videos put on my home page, so that I can l take final decisions later, as for those who remain and who will move to other pages.

    b. to obtain 9 on the page, I have all made 320 X 240.  However, to place on page 3 in all, those outside executed partially beyond the marker 960 width pink and purple.

    c. when I view the page in 'Preview' or 'view in a browser', all the pictures show in their entirety with many areas left on the outside surfaces of the pages.

    Please explain that a veterinarian would actually see and what misunderstanding I.  Please consider in your response that most of the points of view may be on tablets or smart phones.

    Thank you very much

    Neil

    To answer these questions will be massively exceed the limits of a forum for users.

    Are just beginning to explore and learn from Muse: Learn Adobe Muse, get help and support. Adobe Muse CC

  • How to get several xml elements in a relationship 1: n without using xmlaggregation

    I need to create the following xml structure from an oracle database

    where each survey can multiple deelnemers (participants)

    I'm not sure create this use of XMLElement without getting the message "ORA-01427 subquery returns more then one line."

    I could try to use dbms_xmldom (never done that before) but I wonder if anyone knows how to generate this just using the plain Oracle SQL-XMLfunctions (XMLElement, XMLAggr)

    < NieuweSurveys >

    < survey >

    < Surveynaam > 2013 - 02 - 01 < / Surveynaam >

    < Months > 2013 - 02 - 01 < / months >

    < Einddatum > 2013 - 02 - 15 < / Einddatum >

    < Deelnemer >

    Tilde < Chairwoman > < / Chairwoman >

    < Tussenvoegsel / >

    DeelnemerA < Achternaam > < / Achternaam >

    man < Geslacht > < / Geslacht >

    < Emailadres > [email protected] < / Emailadres >

    < Voorkeurstaal > nl < / Voorkeurstaal >

    Schouten < account > & Nelisen < / account >

    bouwer < function > < / function >

    < / Deelnemer >

    < Deelnemer >

    Tilde < Chairwoman > < / Chairwoman >

    < Tussenvoegsel / >

    DeelnemerB < Achternaam > < / Achternaam >

    Vrouw < Geslacht > < / Geslacht >

    < Emailadres > [email protected] < / Emailadres >

    < Voorkeurstaal > nl < / Voorkeurstaal >

    Schouten < account > & Nelisen < / account >

    Tester of < function > < / function >

    < / Deelnemer >

    < / inquiry >

    < / NieuweSurveys >

    What is your version of the database? (SELECT * FROM version$ v)

    The query does not match the output that you claim that it produces.

    In any case, the problem is the following:

    ) as "deelnemers.

    Put an alias here should not generate an element - unless you are using XMLForest in your actual query without your telling us.

    That's why I ask about the version of db, it could be an old bug that's been fixed now (I have not to reproduce the behavior on 11.2).

    What happens when you delete the alias?

  • How to extract the same song, several times using different bit rates or formats and store all the digital music files in WMP 12 default on the same HDD music library

    Using Windows Media Player 12 (w/under Windows 7), "can I ripping the same song, several times, using different bitrates & and/or formats and store all the digital music files in the music library by default WMP - 12, on the same hard drive?

    1.) #1 goal: tear up the same song repeatedly, w / "different rates" as a WMA file.

    2.) #2 goal: tear up the same song repeatedly, w / "different rates" as an mp3 file.

    3.) #3 objective: NOT to each subsequent copy (version) of the song, deleted & and/or replaced by the previous version of the song [even].

    4.) question Bottom Line Up Front--> is Windows Media Player 12 (included with the Windows 7 operating system) are able to achieve '#1 objectives; #2; & #3 above?

    5.) details/example: I want to tear the piece "Maria Maria by Carlos Santana" to my laptop as a Windows Media Audio [WMA] file.  In addition, I would like to rip the song 'Maria Maria' three several times with 3 different bitrates in format WMA; and, as an MP3 file.  Therefore, my final result wished (after the extraction process), will take place the four 4 audio files split up as follows: (a) 'Maria Maria by Carlos Santana'--> Format: file WMA; Ripped @128 Kbps bitrate.  (b) ' Maria Maria by Carlos Santana'--> Format: file WMA; Ripped to the "Variable bit rate; (c) ' Maria Maria by Carlos Santana'--> Format: file WMA; Ripped commissioning "Lossless." and (d). 'Maria Maria by Carlos Santana'--> Format: MP3 file. Ripped @256 Kbps bitrate.

    6.) my preference: I do NOT want to rename the file (s). {for example, 'Maria Maria by Carlos Santana' renamed/changed for--> "Maria_Maria_by_Carlos_Santana_128kbps.wma",...} 'Maria_Maria_by_Carlos_Santana_256kbps.mp3 '; etc.}.  In addition, I am not concerned about the additional disk space that will be consumed after multiple copies of the same song with different speeds of transmission and different formats.

    7.) my experience w / Windows Media Player 10 (w / the operating system of Windows XP): using WMP - 10, my goal (s) described above is not a problem at all.  Simply insert the CD purchased by Carlos Santana, containing the song "Maria Maria"... Select the desired Format (WMA; WMA VBR; WMA Lossless; or mp3)... Select the desired flow rate (WMA... 128/160/192kbps_mp3: 128/192/256/320 kbit / s; etc.) ; and click on the "RIP" button to start the copy process on the hard disk of of Carlos Santana's "Maria Maria".  This process (w / WMP-10) would result in having the same song, copied on the hard disk, with levels of quality different "audio" (via the different bit rate settings); regardless of the format (MP3/WMA) which was chosen.

    8.) my experience w / Windows Media Player 11 (w / the operating system of Windows XP): using WMP 11, to described above of my objective (s) could not be reached e-a-s-i-l-y.  The problem with WMP - 11 - in short - which was after the desired selection "Rip settings" tab 'Options' of WMP - 11 (i.e., Format & Bit Rate) and heart-wrenching piece wanted to {'Maria Maria by Carlos Santana'} a moment later/second, WMP11 remove / would crush the previous version of the song [even].  Therefore, the program would NOT allow the user to have multiple copies of the same song on the hard drive of the PC; which obviously restricts a user to have the freedom to choose what level of quality digital audio, they prefer to listen to.

    9.) the ability to have multiple copies [at my descretion] of the same song (on my hard drive) with different bitrates and formats in my music library, is important for me because it has a direct impact on "how I enjoy MY music ', and in what form (audio quality), I choose to listen to my music.  {For example, when I exercise and listening to my camera, digital audio player (Zune), a song ('Maria Maria by Carlos Santana'), will usually be torn off at a lower rate due to the unit of capacity reduction of storage - compared to the storage capacity of notebook PCs/desktop/external hard drives PC.}  However, when I listen to my music through my home cinema or entertainment system (which contains a hard disk dedicated with a large storage capacity), I prefer to load the entertainment system with digital music files that have been ripped to WMA... with the bit being rate-setting is for the: settings "WMA Variable Bit Rate" or "WMA Lossless.

    10.) there you have it.  This is my first post in this forum.  I hope that [detailed] explanations, will be sufficient to encourage these "with knowledge & the hands on experience" using Windows Media Player 12 (as well as with WMP-10/WMP-11 respectively), by providing a [step] "How-to"... "solution to my situation.  It would be highly appreciated.  I'm looking forward-'the solution' - and relevant suggestions & and/or community feedback regarding my request for assistance.

    * Thank 'All' (that would) in advance... For your time & Assistance *.

    Certainly, you can, but I would say that they be in different folders, for your convenience as well as Windows.  You can create one for each debit/format, then you will know who is who.

    In Windows Media Player, on the toolbar, select Tools, Options, Rip, and then select the flow you want first, rip music, then change the folder (higher on the same tab) and rip again... and so on and so forth.

    When you are at home on your home theater, you can use the 320 bitrate folder, when you transfer to the Zune, you can use one of the lower bitrate files (although I personally tear it up to 320 and let the Zune reduce as he wants, even with the iPhone via iTunes, hard drive space is not really a problem here) my server has several hard drives, and I can always add more if and when space is low!

Maybe you are looking for

  • Some problems after the connection of the universal adapter for Satellite M-series

    Can anyone help? I have 2 young children and through wear my adapter has fought for a new one of toshiba that's 60 books that I am on a tight budget, I opted for a universal adapter that says you can use on any laptop. When I plug it, it powers my la

  • KEYNOTE Remote Control?

    What are the options for the remote control of a presentation Keynote (6.6.1) on a MacBookPro OS X 10.11.2, using an iPadMini 9.2.1 iOS? WiFi is not an option in this setting.   I had hoped to use BlueTooth between the iPadMini and the MacBookPro, bu

  • Unable to connect to web services

    Hello I tried all the suggestions and no luck. It was working fine all these days and I started facing this problem all of a sudden. Any help is appreciated. Thank you VK6

  • vistatusdesc runs on Linux

    Hello I use Visa to talk to devices compatible 488.2, usually using TCP/IP sockets. In the recent trial that showed that the calls to the viStatusDesc() function result invariably 160 bytes leak. This has been noticed during execution of the test wit

  • NLB - the RPC server is not available on the specified computer. To connect to the &#60; Server &#62;

    Have a Windows 2008 R2 SP1 NLB service two nodes on VMWare. Bothe nodes have two network cards. Internal one dedicated to NETWORK load balancing and the other for the network. Management console of NLB on a single poster NLB node is in good health. T