xQuery category nesting issue - xquery
I have a problem nesting the result tags in each other the right way.
The result should look like this:
aimed result
<categoryA>
<position>...</position>
<position>...</position>
...
</categoryA>
<categoryB>
<position>...</position>
<position>...</position>
...
</categoryB>
currently I have only managed to get the right results for the positions, the categoryA and B are 1 hierarchic layer higher than the positions. the positions should be nested in the categories. The categories can be referenced by let $y := $d/Bilanz/Aktiva/* (respectively $d$d/Bilanz/Aktiva/LangfristigesVermoegen and $d$d/Bilanz/Aktiva/KurzfristigesVermoegen).
Here is my query:
query
let $d := doc('http://etutor.dke.uni-linz.ac.at/etutor/XML?id=5001')/Bilanzen
let $a02 := $d/Bilanz[#jahr='2002']/Aktiva/*
let $a03 := $d/Bilanz[#jahr='2003']/Aktiva/*
for $n02 in $a02//* , $n03 in $a03//*
(:
where name($n02) = name($n03)
where node-name($n02) = node-name($n03)
:)
where name($n02) = name($n03)
return <position name="{node-name($n02)}">
<j2002>{data($n02/#summe)}</j2002>
<j2003>{data($n03/#summe)}</j2003>
<diff>{data($n03/#summe) - data($n02/#summe)}</diff>
</position>
xml
<Bilanzen>
<Bilanz jahr="2002">
<Aktiva>
<LangfristigesVermoegen>
<Sachanlagen summe="1486575.8"/>
<ImmateriellesVermoegen summe="67767.2"/>
<AssoziierteUnternehmen summe="190826.3"/>
<AndereBeteiligungen summe="507692.7"/>
<Uebrige summe="92916.4"/>
</LangfristigesVermoegen>
<KurzfristigesVermoegen>
<Vorraete summe="78830.9"/>
<Forderungen summe="198210.3"/>
<Finanzmittel summe="181102.0"/>
</KurzfristigesVermoegen>
</Aktiva>
<Passiva>
<Eigenkapital>
<Grundkapital summe="91072.4"/>
<Kapitalruecklagen summe="186789.5"/>
<Gewinnruecklagen summe="798176.2"/>
<Bewertungsruecklagen summe="-34922.4"/>
<Waehrungsumrechnung summe="0"/>
<EigeneAktien summe="0"/>
</Eigenkapital>
<AnteileGesellschafter summe="23613.1"/>
<LangfristigeVerb>
<Finanzverbindlichkeiten summe="680007.1"/>
<Steuern summe="36555.8"/>
<Rueckstellungen summe="429286.1"/>
<Baukostenzuschuesse summe="169246.0"/>
<Uebrige summe="36166.9"/>
</LangfristigeVerb>
<KurzfristigeVerb>
<Finanzverbindlichkeiten summe="14614.6"/>
<Steuern summe="65247.6"/>
<Lieferanten summe="94939.2"/>
<Rueckstellungen summe="123664.8"/>
<Uebrige summe="89464.8"/>
</KurzfristigeVerb>
</Passiva>
</Bilanz>
<Bilanz jahr="2003">
<Aktiva>
<LangfristigesVermoegen>
<Sachanlagen summe="1590313.7"/>
<ImmateriellesVermoegen summe="69693.2"/>
<AssoziierteUnternehmen summe="198224.7"/>
<AndereBeteiligungen summe="418489.3"/>
<Uebrige summe="104566.7"/>
</LangfristigesVermoegen>
<KurzfristigesVermoegen>
<Vorraete summe="20609.8"/>
<Forderungen summe="289458.5"/>
<Finanzmittel summe="302445.9"/>
</KurzfristigesVermoegen>
</Aktiva>
<Passiva>
<Eigenkapital>
<Grundkapital summe="91072.4"/>
<Kapitalruecklagen summe="186789.5"/>
<Gewinnruecklagen summe="875723.4"/>
<Bewertungsruecklagen summe="-15459.5"/>
<Waehrungsumrechnung summe="-633.7"/>
<EigeneAktien summe="0"/>
</Eigenkapital>
<AnteileGesellschafter summe="22669.8"/>
<LangfristigeVerb>
<Finanzverbindlichkeiten summe="733990.2"/>
<Steuern summe="68156.8"/>
<Rueckstellungen summe="395997.2"/>
<Baukostenzuschuesse summe="177338.5"/>
<Uebrige summe="38064.9"/>
</LangfristigeVerb>
<KurzfristigeVerb>
<Finanzverbindlichkeiten summe="6634.7"/>
<Steuern summe="97119.1"/>
<Lieferanten summe="89606.0"/>
<Rueckstellungen summe="128237.5"/>
<Uebrige summe="98495.2"/>
</KurzfristigeVerb>
</Passiva>
</Bilanz>
</Bilanzen>
I would really appreciate some help, i have no clue at all. Thank you.
If I understand you correctly, you want the information about LangfristigesVermoegen (and its children) to be grouped in the output under element categoryA, and the information about Kurzfristigesvermoegen to be grouped under categoryB.
So you will want first of all to do something to generate the categoryA and categoryB elements. For example,
let $d := doc(...)/Bilanzen
return (
<categoryA>{ ... children of category A here ... }</categoryA>,
<categoryB>{ ... children of category B here ... }</categoryB>
)
The positions in each category can be generated using code similar to what you've now got, except that instead of iterating over
for $n02 in $a02//* , $n03 in $a03//*
you will need to iterate over $a02[self::LangfristigesVermoegen]/* for category A, and over $a02[self::KurzfristigesVermoegen]/* for category B (and similarly, of course, for $n02 and $n03).
If the set of categories is not static and you just want to group things in the output using the same grouping elements present in the input, then you'll want an outer structure something like this:
for $assetclass1 in $anno2002/*
let $assetclass2 := $anno2003/*[name() = name($assetclass1)]
return
(element {name($assetclass1)} {
for $old in $assetclass1/*,
$new in $assetclass2/*
where name($old) eq name($new)
return <position name="{node-name($old)}">
<j2002>{data($old/#summe)}</j2002>
<j2003>{data($new/#summe)}</j2003>
<diff>{data($new/#summe) - data($old/#summe)}</diff>
</position>
})
Related
XQuery how to count with "where" condition
I'm just starting to learn XQuery and I want that it shows me the number of festivals with genre (genero) is the same as "metal". I can't get the total number of them, only separately. Xquery for $b in //festival where $b/#genero="Metal" return <prueba>{count ($b/#genero="Metal"), $b//nombre}</prueba> XML <Festivales> <festival genero="Metal"> <informacion> <nombre>Resurrection Fest</nombre> <fecha_inicio>2020-07-01</fecha_inicio> <fecha_fin>2020-07-04</fecha_fin> </festival> <festival genero="Rock-Heavy Metal"> <informacion> <nombre>Rock the Night</nombre> <fecha_inicio>2020-06-26</fecha_inicio> <fecha_fin>2020-06-27</fecha_fin> </festival> <festival genero="Hardcore"> <informacion> <nombre>Ieperfest</nombre> <fecha_inicio>2020-07-03</fecha_inicio> <fecha_fin>2020-07-05</fecha_fin> </informacion> </festival> <festival genero="Metal"> <informacion> <nombre>Download UK</nombre> <fecha_inicio>2020-06-12</fecha_inicio> <fecha_fin>2020-06-14</fecha_fin> </informacion> </festival> </Festivales> Result <prueba>1<nombre>Resurrection Fest</nombre> </prueba> <prueba>1<nombre>Hellfest</nombre> </prueba> <prueba>1<nombre>Download UK</nombre> </prueba> Thanks!
for $b in //festival[#genero="Metal"] let $n := $b/informacion/nombre/text() return <prueba> { <cnt>{count(//festival[#genero="Metal"]/informacion/nombre[. = $n])}</cnt> , $b/informacion/nombre } </prueba>
What is the "some" meaning in Collect result in Scala
"some" is not a special term which makes the googling seem to just ignore that search. What I am asking is in my learning below: b.collect: Array[(Int, String)] = Array((3,dog), (6,salmon), (3,rat), (8,elephant)) d.collect: Array[(Int, String)] = Array((3,dog), (3,cat), (6,salmon), (6,rabbit), (4,wolf), (7,penguin)) if I do some join and then collect the result, like b.join(d).collect, I will get the following: Array[(Int, (String, String))] = Array((6,(salmon,salmon)), (6,(salmon,rabbit)), (3,(dog,dog)), (3,(dog,cat)), (3,(rat,dog)), (3,(rat,cat))) which seems understandable, however, if I do: b.leftOuterJoin(d).collect, I will get: Array[(Int, (String, Option[String]))] = Array((6,(salmon,Some(salmon))), (6,(salmon,Some(rabbit))), (3,(dog,Some(dog))), (3,(dog,Some(cat))), (3,(rat,Some(dog))), (3,(rat,Some(cat))), (8,(elephant,None))) My question is why do I get results seems to be expressed differently, I mean why the second result contains "Some"? what's the difference between with "Some" and without "Some"? Can "Some" be removed? Does "Some" have any impact to any later operations as the content of RDD? Thank you very much.
When you do the normal join as b.join(d).collect, you get Array[(Int, (String, String))] This is because of only the same key with RDD b and RDD d so it is always guaranteed to have a value so it returns Array[(Int, (String, String))]. But when you use b.leftOuterJoin(d).collect the return type is Array[(Int, (String, Option[String]))] this is because to handle the null. In leftOuterJoin, there is no guarantee that all the keys of RDD b are available in RDD d, So it is returned as Option[String] which contains two values Some(String) =>If the key is matched in both RDD None If the key is present in b and not present in d You can replace Some by getting the value from it and providing the value in case of None as below. val z = b.leftOuterJoin(d).map(x => (x._1, (x._2._1, x._2._2.getOrElse("")))).collect Now you should get Array[(Int, (String, String))] and output as Array((6,(salmon,salmon)), (6,(salmon,rabbit)), (3,(dog,dog)), (3,(dog,cat)), (3,(rat,dog)), (3,(rat,Some(cat)), (8,(elephant,))) Where you can replace "" with any other string as you require. Hope this helps.
Bosun how to add series with different tags?
I'm trying to add 4 series using bosun expressions. They are from 1,2,3,4 weeks ago. I shifted them using shift() to have current time. But I can't add them since they have the shift=1w etc tags. How can I add these series together? Thank you edit: here's the query for 2 weeks $period = d("1w") $duration = d("30m") $week1end = tod(1 * $period ) $week1start = tod(1 * $period + $duration ) $week2end = tod(2 * $period ) $week2start = tod(2 * $period + $duration ) $q1 = q("avg:1m-avg:os.cpu{host=myhost}", $week1start, $week1end) $q2 = q("avg:1m-avg:os.cpu{host=myhost}", $week2start, $week2end) $shiftedq1 = shift($q1, "1w") $shiftedq2 = shift($q2, "2w") $shiftedq1+ $shiftedq2 edit: here's what Bosun said The problem is similar to: How do I add the series present in the output of an over query: over("avg:1m-avg:os.cpu{host=myhost}", "30m", "1w", 2)
There is a new function called addtags that is pending documentation (see https://raw.githubusercontent.com/bosun-monitor/bosun/master/docs/expressions.md for draft) which seems to work when combined with rename. Changing the last line to: $shiftedq1+addtags(rename($shiftedq2,"shift=shiftq2"),"shift=1w") should generate a single result group like { host=hostname, shift=1w, shiftq2=2w }. If you add additional queries for q3 and q4 you probably need to rename the shift tag for those to unique values like shiftq3 and shiftq4. If you were using a numbersets instead of seriessets, then the Transpose function would let you "Drop" the unwanted tags. This is useful when generating alerts, since crit and warn need a single number value not a series set: $average_per_q = avg(merge($shiftedq1,$shiftedq2)) $sum_over_all = sum(t($average_per_q,"host")) Result: { host=hostname } 7.008055555555557 Side note you probably want to use a counter for os.cpu instead of a gauge. Example: $q1 = q("avg:1m-avg:rate{counter,,1}:os.cpu{. Without that rate section you are using the raw counter values instead of the gauge value.
String recognition in idl
I have the following strings: F:\Sheyenne\ROI\SWIR32_subset\SWIR32_2005210_East_A.dat F:\Sheyenne\ROI\SWIR32_subset\SWIR32_2005210_Froemke-Hoy.dat and from each I want to extract the three variables, 1. SWIR32 2. the date and 3. the text following the date. I want to automate this process for about 200 files, so individually selecting the locations won't exactly work for me. so I want: variable1=SWIR32 variable2=2005210 variable3=East_A variable4=SWIR32 variable5=2005210 variable6=Froemke-Hoy I am going to be using these to add titles to graphs later on, but since the position of the text in each string varies I am unsure how to do this using strmid
I think you want to use a combination of STRPOS and STRSPLIT. Something like the following: s = ['F:\Sheyenne\ROI\SWIR32_subset\SWIR32_2005210_East_A.dat', $ 'F:\Sheyenne\ROI\SWIR32_subset\SWIR32_2005210_Froemke-Hoy.dat'] name = STRARR(s.length) date = name txt = name foreach sub, s, i do begin sub = STRMID(sub, 1+STRPOS(sub, '\', /REVERSE_SEARCH)) parts = STRSPLIT(sub, '_', /EXTRACT) name[i] = parts[0] date[i] = parts[1] txt[i] = STRJOIN(parts[2:*], '_') endforeach You could also do this with a regular expression (using just STRSPLIT) but regular expressions tend to be complicated and error prone. Hope this helps!
How do you incorporate a variable in a NSLayoutConstraint string?
Is there a correct way to use a variable within a constraint string as demoed below? let x = 6 self.addConstraints( NSLayoutConstraint.constraintsWithVisualFormat( "H:|-x-[subView(==16)]|", options:[], metrics:nil, views:viewDictionary)) self.addConstraints( NSLayoutConstraint.constraintsWithVisualFormat( "V:|-x-[subView(==16)]|", options:[], metrics:nil, views:viewDictionary))
That's what the metrics dictionary is for. Pass a dictionary like [ "x": x ].