text
stringlengths
1
22.8M
Case of Sutton's Hospital (1612) 77 Eng Rep 960 is an old common law case decided by Sir Edward Coke. It concerned The Charterhouse, London which was held to be a properly constituted corporation. Facts Thomas Sutton was a coal mine owner and moneylender, as well as the Master of Ordnance for the North of England, a military position. He founded a school and hospital as a corporation at the London Charterhouse. When he died, he left a large part of his estate to the charity. Sutton's other heirs challenged the bequest by arguing that the charity was improperly constituted. Therefore, they argued, it lacked a legal personality to be the subject of a transfer of property. Judgment In a full hearing of the King's Bench it was held that the incorporation was valid, as was the subsequent foundation of the charity and so the transfer of property to it, including the nomination of a master of the charity to receive the donation, was not void. Sir Edward Coke wrote in the report the following. Citations The case has been cited in a number of subsequent decisions. Notably, in Hazell v Hammersmith and Fulham LBC [1992] 2 AC 1, Lord Templeman referred to it, and although he acknowledged it to be good law, he also noted that to modern eyes the language was so impenetrable that most lawyers simply took it on faith that the case stood for the principle for which it is cited. He summarised the ratio decidendi of the case thus: The case was also cited with approval (but distinguished) in another House of Lords case, Ashbury Railway Carriage and Iron Co Ltd v Riche (1875) LR 7 HL 653. See also UK company law Salomon v A Salomon & Co Ltd [1897] AC 22 Lennard's Carrying Co Ltd v Asiatic Petroleum Co Ltd [1915] AC 705 United States corporate law Trustees of Dartmouth College v. Woodward, 17 US 518 (1819) Paul v. Virginia, 75 US 168 (1869), a corporation was not a citizen within the meaning of the Privileges and Immunities Clause Santa Clara County v. Southern Pacific Railroad Company, 118 US 394 (1886) in a property tax case, the US Supreme Court holds that corporations are obviously "persons" with the meaning of the Fourteenth Amendment Citizens United v. Federal Election Commission, 130 S.Ct. 876 (2010) corporations are persons under the First Amendment and hence have the unlimited right to produce campaigning material at election times Notes References External links "The Case of Sutton’s Hospital." from Sir Edward Coke, Selected Writings of Sir Edward Coke, vol. I, at the Online Library of Liberty 1612 in English law 1610s in case law United Kingdom company case law 1612 in England Edward Coke cases United Kingdom corporate personality case law History of corporate law Court of Exchequer Chamber cases
```c++ * * This program is free software: you can redistribute it and/or modify * (at your option) any later version. * * This program is distributed in the hope that it will be useful, * but WITHOUT ANY WARRANTY; without even the implied warranty of * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the * * along with this program. If not, see <path_to_url */ #include <cstddef> #include "internals.h" #include "Poly.h" #include "Part.h" #include "Partial.h" #include "Synth.h" namespace MT32Emu { Poly::Poly() { part = NULL; key = 255; velocity = 255; sustain = false; activePartialCount = 0; for (int i = 0; i < 4; i++) { partials[i] = NULL; } state = POLY_Inactive; next = NULL; } void Poly::setPart(Part *usePart) { part = usePart; } void Poly::reset(unsigned int newKey, unsigned int newVelocity, bool newSustain, Partial **newPartials) { if (isActive()) { // This should never happen part->getSynth()->printDebug("Resetting active poly. Active partial count: %i\n", activePartialCount); for (int i = 0; i < 4; i++) { if (partials[i] != NULL && partials[i]->isActive()) { partials[i]->deactivate(); activePartialCount--; } } setState(POLY_Inactive); } key = newKey; velocity = newVelocity; sustain = newSustain; activePartialCount = 0; for (int i = 0; i < 4; i++) { partials[i] = newPartials[i]; if (newPartials[i] != NULL) { activePartialCount++; setState(POLY_Playing); } } } bool Poly::noteOff(bool pedalHeld) { // Generally, non-sustaining instruments ignore note off. They die away eventually anyway. // Key 0 (only used by special cases on rhythm part) reacts to note off even if non-sustaining or pedal held. if (state == POLY_Inactive || state == POLY_Releasing) { return false; } if (pedalHeld) { if (state == POLY_Held) { return false; } setState(POLY_Held); } else { startDecay(); } return true; } bool Poly::stopPedalHold() { if (state != POLY_Held) { return false; } return startDecay(); } bool Poly::startDecay() { if (state == POLY_Inactive || state == POLY_Releasing) { return false; } setState(POLY_Releasing); for (int t = 0; t < 4; t++) { Partial *partial = partials[t]; if (partial != NULL) { partial->startDecayAll(); } } return true; } bool Poly::startAbort() { if (state == POLY_Inactive || part->getSynth()->isAbortingPoly()) { return false; } for (int t = 0; t < 4; t++) { Partial *partial = partials[t]; if (partial != NULL) { partial->startAbort(); part->getSynth()->abortingPoly = this; } } return true; } void Poly::setState(PolyState newState) { if (state == newState) return; PolyState oldState = state; state = newState; part->polyStateChanged(oldState, newState); } void Poly::backupCacheToPartials(PatchCache cache[4]) { for (int partialNum = 0; partialNum < 4; partialNum++) { Partial *partial = partials[partialNum]; if (partial != NULL) { partial->backupCache(cache[partialNum]); } } } /** * Returns the internal key identifier. * For non-rhythm, this is within the range 12 to 108. * For rhythm on MT-32, this is 0 or 1 (special cases) or within the range 24 to 87. * For rhythm on devices with extended PCM sounds (e.g. CM-32L), this is 0, 1 or 24 to 108 */ unsigned int Poly::getKey() const { return key; } unsigned int Poly::getVelocity() const { return velocity; } bool Poly::canSustain() const { return sustain; } PolyState Poly::getState() const { return state; } unsigned int Poly::getActivePartialCount() const { return activePartialCount; } bool Poly::isActive() const { return state != POLY_Inactive; } // This is called by Partial to inform the poly that the Partial has deactivated void Poly::partialDeactivated(Partial *partial) { for (int i = 0; i < 4; i++) { if (partials[i] == partial) { partials[i] = NULL; activePartialCount--; } } if (activePartialCount == 0) { setState(POLY_Inactive); if (part->getSynth()->abortingPoly == this) { part->getSynth()->abortingPoly = NULL; } } part->partialDeactivated(this); } Poly *Poly::getNext() const { return next; } void Poly::setNext(Poly *poly) { next = poly; } } // namespace MT32Emu ```
```vue <script lang="ts" setup> import { computed, onBeforeUnmount, ref } from 'vue' const props = defineProps({ modelValue: { type: [String, Number], required: true, }, debounce: { type: Number, default: 500, }, }) const emit = defineEmits(['update:modelValue']) const timeout = ref<ReturnType<typeof setTimeout>>() const localValue = computed({ get() { return props.modelValue }, set(newValue) { if (timeout.value) { clearTimeout(timeout.value) } timeout.value = setTimeout( () => emit('update:modelValue', newValue), props.debounce ) }, }) onBeforeUnmount(() => clearTimeout(timeout.value)) </script> <template> <input v-model="localValue" v-bind="$attrs" /> </template> ```
is a video game developed by Shift and published by Bandai Namco Entertainment on November 14, 2013, in Japan for PlayStation Portable. It is a sequel to God Eater. It features a new setting, as well as new protagonists, new monsters, and new weapons. An expansion titled God Eater 2: Rage Burst was released in Japan on the PlayStation Vita and PlayStation 4. It was released in Western territories in summer 2016 with North American and European divisions of Bandai Namco Entertainment publishing the game on PlayStation 4, PlayStation Vita, and Microsoft Windows. Gameplay In comparison to Gods Eater Burst, there are new features and additions such as the four new weapons, the Boost Hammer, Charge Spear, the Variant Scythe and the Shotgun. The Boost Hammer is a hammer fitted with a rocket booster. The Charge Spear is a large spear that can be "charged" to form a sharpened organic blade. The Variant Scythe is a large scythe that can extend for a long range. The Shotgun is a large cannon that sprays bullets, allowing increased damage the closer the player is to the opponent. Most of the existing weapons have additional features and skills, such as the Short Blade's "Rising Edge" upward slash that sends the character into mid-air and can continue to an aerial combo, and the Long Blade's "Zero Stance" skill that can cancel attack animations, thus allowing longer combos or cancel an attack to block or dodge attacks. The Blood Arts, one of the new additions in the game, are "attack add-on" that augment normal attacks of all manner into stronger attacks, thus either unlocking new Blood Arts or converting existing ones into much stronger variants. Raising a Blood Art's proficiency requires completing missions. Finishing a mission with a higher rank gives more experience points to the currently equipped Blood Art and other Blood Arts of the same variant. Players can interact with various characters, who may invite them to optional side missions. Completing these give players materials, items, or even additional Blood Arts. Unlocked through Character Episodes, Link Support Devices allow players to gain status effects in battle, such as 10% additional attack power from two to five minutes into the mission. There's a limit of 100 points that can be used to equip them, with each Link Device consuming anywhere from 10 to 60 points. Plot The game takes place 3 years after God Eater. A new pandemic caused by "Red Rain" has struck the Far East Branch. Members of Special Forces "Blood", an affiliate of Fenrir who reside in a mobile base, known as "Friar", are sent to investigate. Part 1 The unnamed protagonist as well as Nana Kazuki are the newest God Eaters who have been found compatible with the 'P-66 Bias-Factor' and selected to join Blood, founded by Dr. Rachel Cladius and led by captain Julius Visconti. After his/her first missions, the protagonist meets Romeo Leoni, Julius's friend who is also a Blood member; Dr. Leah Cladius, Rachel's older sister; Director Gregory de Gremslow, the base's Supreme Commander; and Yuno Ashihara, a talented singer. The Blood group is later joined by two more P-66 God Eaters: Ciel Alençon, a master tactician from the same orphanage as Julius, and Gilbert "Gil" McLane, who is nicknamed "Fragging Gil" since his mentor Kate Lawry was K.I.A. five years ago. The Blood members lend aid to Fenrir's Far East Branch and work together with 'Cradle', a mobile emergency response and deployment station created after the incident at Aegis island. Each Blood member awakens their "Blood Power" through personal trials. After a mission, Gil reproves Romeo for his lackadaisical approach to combat. Romeo loses his temper, revealing he feels inadequate since his Blood Power has yet to awaken, and runs away. An old couple shelter him during a red rain storm. After the storm Aragami attack the village. Romeo calls his Blood group, defeats them, and apologizes for his recklessness. The incident then awakens his Blood Power. A red rain storm hits Anagura. Romeo finds out that the old couple wasn't present in the quarantine zone and the radio from north gate is broken. He goes searching for them, with Julius backing him up. However, they run into a pack of Garm Aragami and are overwhelmed. With his last strength, Romeo finally activates his Blood Power to scare off the Aragami. Romeo is very happy that the old couple was saved by Julius before he dies in front of him. After Romeo's funeral, Julius resigns to help Dr. Rachel's God Arc Soldier project, creating unmanned mechs. Julius promotes the protagonist to Captain of the Blood unit, with Ciel being promoted to Vice-Captain. With this promotion, the Blood group is transferred to the Far East Branch. The Blood find a Marduk Aragami and kill it with God Arc Soldier help. Seeing the effectiveness of the God Arc Soldiers, the group understand why Julius refuses to return to Blood. Responding to a distress call, Blood finds a wounded Dr. Leah, who begs them for asylum at the Far East branch. After she receives treatment, Leah tells about her past with Rachel. When they were kids, Leah was angered by Rachel's icy personality and pushed her down a flight of stairs, leaving her in a coma. Their father, Jepththat Cladius, resorted to injecting her with P73 Bias Factor to save her life, but Rachel remained crippled. Ever since, Rachel has quietly exploited Leah's guilt over her injury. Decades later, Jepththat confronted his daughters about their unethical experiments, and they ended up killing him with a prototype God Arc Soldier. Rachel is now using patients infected by the red rain for her experiments. Romeo's death was part of Rachel's plan to use a red rain infected Julius as the new Singularity to devour all life on the planet. Fenrir dispatches the Blood Unit and Yuno to save red rain patients and find out their plan: perform a coup d'état in Friar to gain control over it. Yuno is infected while evacuating patients, and they find she is to become a singularity alongside Julius. The Blood unit arrives in Friar and confronts Rachel; however, the Apocalypse is now awakened with Julius inside of it. Rachel allows herself to be absorbed by it while Sakaki orders them to retreat. Sakaki reveals the plan to stop the Apocalypse; since Yuno is another singularity, they can summon another Devouring Apocalypse to counter Julius'. With the protagonist's Blood Power and everyone around Fenrir singing Yuno's song, they succeed. They enter Julius's consciousness to talk to him one last time. Julius then stops it from evolving which results in an explosion that forms a helix-shaped plant-like structure, and all the red rain patients are cured. Pre-Rage Burst Arc Three months later, the Blood unit meets the Cradle leader: Lindow Amamiya, who asked for their assistance hunting Kyuubi, an elegant and dangerous Aragami. They find Kyuubi and manage to defeat it despite the problems encountered. Lindow later shows his infected arm and explains to the Protagonist how he got this arm. Next, Sakaki introduces Defense Unit team, where all members are 1st-generation God Eaters who Kanon used to work for. The Protagonist later gets along with them despite their differences. Part 2 (Rage Burst) Fenrir Intelligence Center led by a director named Isaac Freedman with Livie Collete who is known as the best God Eater in intelligence center pay a visit to Fenrir Far East branch to take control of Spiral Tree which they announce to the public as "Sacred Ground for Fenrir". During the ceremony, as Freedman introduces the Spiral Tree to audience, a mysterious entity suddenly possesses Spiral Tree and corrupts it into a dirty version of Spiral Tree. Seeing this, Freedman is extremely worried about this and concerned something terrible will happen. His fears were right: Julius's singularity is completely gone from Fenrir radar and the Blood unit worries something happened to him. Sakaki, Lindow, and Kota reveal that they want to know about Julius's singularity whereabouts. They must use his God Arc to find it, having known this thanks to their experiences from the events three years ago. Although the chance of finding Julius' Singularity is slim since no one can hold his God Arc - because it is not compatible with their body - Livie volunteers to test it, finding out that she is compatible and raising their chances of finding him. Freedman later reveals that Livie can carry someone else's God Arc thanks to the unique Bias Factor inside her, also causing her immense pain. Development The game was first announced on September 15, 2011, during the annual gaming convention Tokyo Game Show. At that time, during a Famitsu interview, Yusuke Tomizawa, producer of God Eater, said "God Eater 2 was to pinpoint what users found fun about the game; we're taking it apart and reassembling it from scratch". A video trailer on God Eater 2'''s Japanese website shows that the game gives the option for PlayStation Portable and PlayStation Vita owners to play on a cooperative, multi-player mode with each other between platforms. A playable demo for the PlayStation Vita was released on 25 July 2013 on the Japan-region PlayStation Network. The version 1.20 update released on 21 January 2014 introduces a new story arc to the game. The new episode features Lindow Amamiya, a returning character. There is also the addition of "Enhance" missions with additional optional requirements that activate certain effects when fulfilled. The update also introduces new support skills, items, costumes and weapon crafts. The 1.40 patch released on 26 May 2014 introduced an online multiplayer mode supporting infrastructure play; before that, only ad hoc wireless multiplayer was supported. Downloadable content An additional DLC episode pack titled God Eater 2: Another Episode: Return of the Defense Unit was released on 5 June 2014 and priced at 1,000 yen. The expansion added a new storyline featuring characters from the original God Eater game. It also introduced new original NPC characters, who could be used within the main game after finishing the DLC episode. God Eater 2: Rage Burst is an enhanced version of the original game for the PlayStation Vita and PlayStation 4. A new chapter titled "Rage Burst" is added to the story, featuring content separated into six difficulty levels within the main quests. Rage Burst introduces a new game mechanism known as "Blood Rage", which involves filling a yellow gauge by attacking enemies, and then making a pledge to the God Arc once it activates, granting various buffs to the player. Temporary invincibility can be toggled during the pledge selection process, at the expense of draining the yellow gauge on the bottom left of the screen. The game also introduces new characters, enemies and weapon types. All God Eater 2 Special Episode DLC is included in Rage Burst. The PlayStation 4 version supports 5.1 surround sound with positional sound effects, and NPC communication messages can be directed from the speaker located on the DualShock 4 controller. In December 2015, Bandai Namco's US branch announced the western release of God Eater: Resurrection and God Eater 2: Rage Burst following a teaser website countdown. ReceptionGod Eater 2 received positive reactions from critics. Famitsu gave the Vita version of the game a review score of 38/40, whilst the PSP version attained a score of 35/40. God Eater 2 was awarded during the Japan Game Awards 2013 by the Computer Entertainment Supplier's Association during the Tokyo Game Show, as one of eleven titles within the Future Division winners. The PlayStation Vita version of God Eater 2 topped the Media Create sales charts in Japan during its first week of release by replacing Battlefield 4, selling 266,326 physical retail copies, ahead of Call of Duty: Ghosts and Pro Evolution Soccer 2014 which both also debuted the same week. In addition, the PSP version sold 112,024 copies, placing it in fourth place. The same week, PlayStation Vita console sales jumped up to 46,350 units, doubling over the previous week, while the PlayStation Vita TV, which made its Japan debut the same day as God Eater 2, sold 42,172 units. Prior to release, God Eater 2 was heavily marketed alongside the PlayStation Vita TV game system. Among the Famitsu 2013 Top 100, a listing of the top 100 Japanese retail software sales for the year of 2013 from data collected by Famitsu's parent company Enterbrain, the PlayStation Vita version of God Eater 2 ranked number 20, with 354,498 physical retail sales, whilst the PlayStation Portable version ranked at number 53, with 180,781 retail sales. As of 31 March 2014, the game shipped 700,000 copies within Japan on both the PSP and Vita platforms according to a Namco Bandai financial report for the fiscal year ending March 2014.God Eater 2 placed fourth place amongst all digital copy games sold on the Japanese PlayStation Network overall in 2013, and the second most-sold digital Vita game behind Dragon's Crown.God Eater 2: Rage Burst sold 234,180 physical copies on Vita and 37,824 on PS4 within its debut week, placing first and third place respectively for the weekly sales charts. Sequel A sequel, God Eater 3 was released in late 2018 in Japan and early 2019 in worldwide for PlayStation 4 and PC and in middle 2019 for Nintendo Switch. Marvelous Inc, who is best known for creating video game series like Senran Kagura, Rune Factory'' and Story of Season, replaced Shift. References External links Official Japanese website Official English website God Eater 2013 video games Action role-playing video games Bandai Namco games PlayStation Portable games PlayStation Vita games PlayStation 4 games Post-apocalyptic video games Video game sequels Video games developed in Japan Video games with gender-selectable protagonists Video games scored by Go Shiina Video games with cross-platform play Windows games
```shell `Firewall` as a service How to clear `iptables` rules Find services running on your host Getting the connection speed from the terminal Short Introduction to `Wget` ```
Jojo: The Violet Mystery () is a 2000 animated Christmas television special. It is based on three albums of the Jojo comics by André Geerts: La fugue de Jojo, Le mystère Violaine, and Le serment d'amitié. In Belgium, it premiered on 21 December 2000 on La Deux's Ici Bla-Bla programme. It also aired on Christmas Day, 2000 on TF1 in France and Switzerland on TSR. As of 2002, Dupuis was also producing a 78 episode Jojo series with TF1 Jeunesse. Plot There is a new classmate, Violet, at the school attended by eight-year-olds Jojo and Fat Louis. She is ridiculed for her big nose, and later runs away on Christmas Eve. See also List of Christmas films References External links Jojo on Mediatoon Distribution website Review on Le Soir 2000 animated films 2000 films 2000 television films 2000 television specials 2000s animated television specials 2000s French animated films 2000s Christmas films Animated films based on Belgian comics Belgian animated films Belgian television films French animated short films French Christmas films French television films 2000s French-language films French-language Belgian films Animated Christmas television specials Animated television films
```less // common.less // Font Size @font-size-normal: 1em; @font-size-small: 0.9em; // Colors @text-color: rgb(200, 200, 200); @text-color-dark: rgb(150, 150, 150); @text-color-highlight: rgb(240, 240, 240); @text-color-detail: rgb(100, 100, 100); @text-color-info: #6494ed; @text-color-success: #73c990; @text-color-warning: #e2c08d; @text-color-error: #fd6247; @shadow-color: rgba(0, 0, 0, 0.2); @background-color: rgb(40, 40, 40); @background-color-highlight: rgba(100, 200, 255, 0.2); @background-color-lighter: #3a3e44; @border-color: rgb(25, 25, 25); @bufferScrollBarSize: 7px; @component-padding: 10px; #host, .editor, .stack { position: absolute; top: 0px; left: 0px; right: 0px; bottom: 0px; } .split { position: relative; height: 100%; } .split-spacer { box-shadow: inset rgba(0, 0, 0, 0.1) 0px 0px 3px 1px; flex: 0 0 auto; &.vertical { height: 100%; width: 6px; } &.horizontal { width: 100%; height: 6px; } } // .split.focus, .editor.focus { // z-index: 1; // box-shadow: 1px 0px 8px 1px rgba(0, 0, 0, 0.1), -1px 0px 8px 1px rgba(0, 0, 0, 0.1); // } ::-webkit-scrollbar-track { -webkit-box-shadow: inset 0 0 6px rgba(0, 0, 0, 0.3); background-color: @background-color; } ::-webkit-scrollbar { width: 3px; background-color: rgb(0, 0, 0); } ::-webkit-scrollbar-thumb { -webkit-box-shadow: inset 0 0 6px rgba(0, 0, 0, 0.3); background-color: @background-color-lighter; } .not-focused { opacity: 0.8; } .focused { opacity: 1; } .disable-mouse { pointer-events: none; } .enable-mouse { pointer-events: auto; } .container { position: relative; &.vertical { display: flex; flex-direction: column; } &.horizontal { display: flex; flex-direction: row; } &.full { width: 100%; height: 100%; flex: 1 1 auto; } &.fixed { flex: 0 0 auto; } &.center { justify-content: center; align-items: center; } } .box-shadow-up-inset { box-shadow: 0px -4px 20px 0px rgba(0, 0, 0, 0.2) inset; } .box-shadow { box-shadow: 0 4px 8px 2px rgba(0, 0, 0, 0.2), 0 6px 20px 0 rgba(0, 0, 0, 0.19); } .box-shadow-up { box-shadow: 0 -8px 20px 0 rgba(0, 0, 0, 0.2); } @keyframes rotate { from { transform: rotateZ(0deg); } to { transform: rotateZ(360deg); } } .rotate-animation { animation-name: rotate; animation-duration: 4s; animation-iteration-count: infinite; } .fade-enter { opacity: 0; transform: translateX(3px); } .fade-enter.fade-enter-active { opacity: 1; transform: translateX(0px); transition-property: transform opacity; transition-duration: 200ms; transition-timing-function: ease-in; } .fade-exit { opacity: 1; transform: translateX(0px); } .fade-exit.fade-exit-active { transform: translateX(-2px); opacity: 0; transition-property: transform opacity; transition-duration: 150ms; transition-timing-function: ease-in; } ```
```java /* * or more contributor license agreements. See the NOTICE file * distributed with this work for additional information * regarding copyright ownership. The ASF licenses this file * * path_to_url * * Unless required by applicable law or agreed to in writing, software * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. */ package org.apache.beam.runners.dataflow.worker.util; import static org.hamcrest.MatcherAssert.assertThat; import static org.hamcrest.Matchers.instanceOf; import org.apache.beam.runners.core.InMemoryStateInternals; import org.apache.beam.runners.core.StateInternals; import org.apache.beam.runners.core.StateInternalsFactory; import org.apache.beam.sdk.coders.Coder; import org.apache.beam.sdk.coders.CoderRegistry; import org.apache.beam.sdk.coders.KvCoder; import org.apache.beam.sdk.coders.StringUtf8Coder; import org.apache.beam.sdk.coders.VarLongCoder; import org.apache.beam.sdk.transforms.Sum; import org.apache.beam.sdk.transforms.windowing.AfterPane; import org.apache.beam.sdk.transforms.windowing.FixedWindows; import org.apache.beam.sdk.transforms.windowing.IntervalWindow; import org.apache.beam.sdk.transforms.windowing.ReshuffleTrigger; import org.apache.beam.sdk.transforms.windowing.Sessions; import org.apache.beam.sdk.util.AppliedCombineFn; import org.apache.beam.sdk.values.WindowingStrategy; import org.joda.time.Duration; import org.junit.Test; import org.junit.runner.RunWith; import org.junit.runners.JUnit4; /** * Unit tests for the static factory methods in the factory class {@link * BatchGroupAlsoByWindowsDoFns}. */ @RunWith(JUnit4.class) public class BatchGroupAlsoByWindowFnsTest { private static class InMemoryStateInternalsFactory<K> implements StateInternalsFactory<K> { @Override public StateInternals stateInternalsForKey(K key) { return InMemoryStateInternals.forKey(key); } } @Test public void testCreateNoncombiningNonmerging() throws Exception { Coder<Long> inputCoder = VarLongCoder.of(); WindowingStrategy<?, IntervalWindow> windowingStrategy = WindowingStrategy.of(FixedWindows.of(Duration.millis(10))); assertThat( BatchGroupAlsoByWindowsDoFns.createForIterable( windowingStrategy, new InMemoryStateInternalsFactory<>(), inputCoder), instanceOf(BatchGroupAlsoByWindowViaIteratorsFn.class)); } @Test public void testCreateNoncombiningMerging() throws Exception { Coder<Long> inputCoder = VarLongCoder.of(); WindowingStrategy<?, IntervalWindow> windowingStrategy = WindowingStrategy.of(Sessions.withGapDuration(Duration.millis(10))); assertThat( BatchGroupAlsoByWindowsDoFns.createForIterable( windowingStrategy, new InMemoryStateInternalsFactory<>(), inputCoder), instanceOf(BatchGroupAlsoByWindowViaOutputBufferFn.class)); } @Test public void testCreateNoncombiningWithTrigger() throws Exception { Coder<Long> inputCoder = VarLongCoder.of(); WindowingStrategy<?, IntervalWindow> windowingStrategy = WindowingStrategy.of(FixedWindows.of(Duration.millis(10))) .withTrigger(AfterPane.elementCountAtLeast(1)); assertThat( BatchGroupAlsoByWindowsDoFns.createForIterable( windowingStrategy, new InMemoryStateInternalsFactory<>(), inputCoder), instanceOf(BatchGroupAlsoByWindowViaIteratorsFn.class)); } @Test public void testCreateCombiningNonmerging() throws Exception { AppliedCombineFn<String, Long, ?, Long> appliedFn = AppliedCombineFn.withInputCoder( Sum.ofLongs(), CoderRegistry.createDefault(), KvCoder.of(StringUtf8Coder.of(), VarLongCoder.of())); WindowingStrategy<?, IntervalWindow> windowingStrategy = WindowingStrategy.of(FixedWindows.of(Duration.millis(10))); assertThat( BatchGroupAlsoByWindowsDoFns.create(windowingStrategy, appliedFn), instanceOf(BatchGroupAlsoByWindowAndCombineFn.class)); } @Test public void testCreateCombiningMerging() throws Exception { AppliedCombineFn<String, Long, ?, Long> appliedFn = AppliedCombineFn.withInputCoder( Sum.ofLongs(), CoderRegistry.createDefault(), KvCoder.of(StringUtf8Coder.of(), VarLongCoder.of())); WindowingStrategy<?, IntervalWindow> windowingStrategy = WindowingStrategy.of(Sessions.withGapDuration(Duration.millis(10))); assertThat( BatchGroupAlsoByWindowsDoFns.create(windowingStrategy, appliedFn), instanceOf(BatchGroupAlsoByWindowAndCombineFn.class)); } @Test public void testCreateCombiningWithTrigger() throws Exception { AppliedCombineFn<String, Long, ?, Long> appliedFn = AppliedCombineFn.withInputCoder( Sum.ofLongs(), CoderRegistry.createDefault(), KvCoder.of(StringUtf8Coder.of(), VarLongCoder.of())); WindowingStrategy<?, IntervalWindow> windowingStrategy = WindowingStrategy.of(Sessions.withGapDuration(Duration.millis(10))) .withTrigger(AfterPane.elementCountAtLeast(1)); assertThat( BatchGroupAlsoByWindowsDoFns.create(windowingStrategy, appliedFn), instanceOf(BatchGroupAlsoByWindowAndCombineFn.class)); } @Test public void testCreateNoncombiningReshuffle() throws Exception { Coder<Long> inputCoder = VarLongCoder.of(); WindowingStrategy<?, IntervalWindow> windowingStrategy = WindowingStrategy.of(FixedWindows.of(Duration.millis(10))) .withTrigger(new ReshuffleTrigger<>()); assertThat( BatchGroupAlsoByWindowsDoFns.createForIterable( windowingStrategy, new InMemoryStateInternalsFactory<Long>(), inputCoder), instanceOf(BatchGroupAlsoByWindowReshuffleFn.class)); } } ```
Franklin is a city in Merrimack County, New Hampshire, United States. At the 2020 census, the population was 8,741, the least of New Hampshire's 13 cities. Franklin includes the village of West Franklin. History Situated at the confluence of the Pemigewasset and Winnipesaukee rivers that form the Merrimack River, the town was settled by Anglo-European colonists in 1764 and originally known as "Pemigewasset Village". It was taken from portions of Salisbury, Andover, Sanbornton and Northfield. The name "Franklin" was adopted in 1820 in honor of statesman and founding father Benjamin Franklin. Water power from the falls on the Winnipesaukee River helped it develop as a mill town. It incorporated as a town in 1828, and then as a city in 1895. Daniel Webster was born in a section of Franklin that was then part of Salisbury. There is a state historic site located off Route 127 that preserves the famous orator's childhood home. As an adult, Webster owned "The Elms", a farm near the Merrimack River along present-day Route 3. In 1943, the Army Corps of Engineers created the Franklin Falls Reservoir above Franklin by constructing the Franklin Falls Dam for flood control on the Pemigewasset River. Image gallery Geography Franklin is located in northern Merrimack County at (43.446956, −71.656966). According to the United States Census Bureau, the city has a total area of , of which are land and are water, comprising 5.95% of the town. It is drained by the Winnipesaukee, Pemigewasset and Merrimack rivers. Webster Lake is in the north. The highest point in Franklin is an unnamed summit near the northwestern corner of the city limits, where the elevation reaches approximately above sea level. Franklin lies fully within the Merrimack River watershed. U.S. Route 3 and New Hampshire Route 11 form Central Street, the main street of Franklin. Heading east, the two routes lead to Tilton and Laconia. US 3 leads south to Boscawen and Concord, while NH 11 goes west to Andover and New London. New Hampshire Route 127 also passes through downtown Franklin, leading southwest to Salisbury and Contoocook, and north into Sanbornton. New Hampshire Route 3A leads north from West Franklin to Bristol. Adjacent municipalities Sanbornton (northeast) Tilton (east) Northfield (southeast) Boscawen (south) Salisbury (southwest) Andover (west) Hill (northwest) Demographics As of the census of 2010, there were 8,477 people, 3,407 households, and 2,179 families residing in the city. There were 3,938 housing units, of which 531, or 13.5%, were vacant. 193 of the vacant units were for seasonal or recreational use. The racial makeup of the town was 96.2% white, 0.5% African American, 0.5% Native American, 0.8% Asian, 0.02% Native Hawaiian or Pacific Islander, 0.3% some other race, and 1.7% from two or more races. 1.6% of the population were Hispanic or Latino of any race. Of the 3,407 households, 30.8% had children under the age of 18 living with them, 44.8% were headed by married couples living together, 13.5% had a female householder with no husband present, and 36.0% were non-families. 28.4% of all households were made up of individuals, and 11.8% were someone living alone who was 65 years of age or older. The average household size was 2.43, and the average family size was 2.93. In the city, 22.3% of the population were under the age of 18, 8.0% were from 18 to 24, 25.6% from 25 to 44, 29.0% from 45 to 64, and 15.1% were 65 years of age or older. The median age was 40.2 years. For every 100 females, there were 91.7 males. For every 100 females age 18 and over, there were 88.9 males. For the period 2011–2015, the estimated median annual income for a household was $43,237, and the median income for a family was $52,390. Male full-time workers had a median income of $43,179 versus $34,708 for females. The per capita income for the city was $22,318. 21.1% of the population and 16.6% of families were below the poverty line. 40.2% of the population under the age of 18 and 12.5% of those 65 or older were living in poverty. Education Franklin High School Franklin Middle School Paul Smith Elementary School Sites of interest Sulphite Railroad Bridge (the "upside-down" railroad bridge) Daniel Webster Birthplace State Historic Site Notable people Jedh Barker (1945–1967), U.S. Marine; posthumously received the Medal of Honor Vaughn Blanchard (1889–1969), Olympic track and field athlete Cornelia James Cannon (1876–1969), feminist reformer Walter Bradford Cannon (1871–1945), physiologist Warren F. Daniell (1826–1913), manufacturer, stock breeder, banker, U.S. congressman Ram Dass (1931–2019), spiritual leader (occasional resident) John King Fairbank (1907–1991), historian (summer resident) Robert Moller Gilbreth (1920–2007), New Hampshire state legislator, educator, businessman Robert M. Leach (1879–1952), U.S. congressman G. W. Pierce (1872–1956), professor of physics at Harvard University and inventor in the development of electronic telecommunications Katherine Call Simonds (1865–1946), musician, dramatic soprano, author, composer Daniel Webster (1782–1852), Secretary of State, U.S. senator, congressman References External links Franklin Public Library Franklin Historical Society Franklin Opera House New Hampshire Economic and Labor Market Information Bureau Profile Cities in New Hampshire Cities in Merrimack County, New Hampshire Populated places established in 1828 Massachusetts populated places on the Merrimack River 1828 establishments in New Hampshire
```java /* * Use is subject to license terms, see path_to_url for details. */ package com.haulmont.chile.core.datatypes; import java.text.ParseException; /** * Exception that can be thrown during value conversion in {@link Datatype}. */ public class ValueConversionException extends ParseException { public ValueConversionException(String message) { super(message, 0); } } ```
Lust Stained Despair is the second album by the Finnish gothic metal band Poisonblack. Provisionally titled The Music for the Junkies by Poisonblack frontman Ville Laihiala, the album was released in August 2006 after a three-year hiatus due to the search for a new singer (after the departure of Juha-Pekka Leppäluoto). Track listing All songs written by Ville Laihiala, except where noted. "Nothing Else Remains" – 3:55 "Hollow Be My Name" – 4:43 "The Darkest Lie" – 4:35 (Laihiala/Janne Markus) "Rush" – 4:06 "Nail" – 4:47 "Raivotar" – 4:55 (Janne Kukkonen/Laihiala) "Soul in Flames" – 4:23 "Pain Becomes Me" – 4:07 "Never Enough" – 4:15 "Love Controlled Despair" – 3:51 "The Living Dead" – 4:35 "Bleeding into You" – 3:19 (bonus track for limited edition release) Production Mixed, engineered and mastered by Tue Madsen References External links Poisonblack official website Notes 2006 albums Poisonblack albums Century Media Records albums
Tytus Maksymilian Huber (also known as Maksymilian Tytus Huber; 4 January 1872 in Krościenko nad Dunajcem – 9 December 1950) was a Polish mechanical engineer, educator, and scientist. He was a member of the pre-war Polish scientific foundation, Kasa im. Józefa Mianowskiego. His career began as a professor at Lwów Polytechnic (now known as the Lviv Polytechnic) in 1908, later serving as rector from 1922 to 1923. In the late 1920s he was professor and department chair of Warsaw University of Technology. After the Second World War he helped organize the Gdańsk University of Technology. In 1949, he was named department chair at AGH University of Science and Technology, serving until his death the following year, at the age of 78. Tensile Stress Theorem He formulated the tensile stress theorem, an important equation in studies of tension known also as Huber's equation. See also Yield surface Stress–energy tensor Maxwell–Huber–Hencky–von Mises theory External links PROFESOR HUBER -naukowiec, społecznik, ostatni prezes Kasy im. Mianowskiego, retrieved 2008-05-31. Sylwetka profesora Tytusa Maksymiliana Hubera Polish educators Polish engineers Polish scientists 1872 births 1950 deaths Academic staff of the Warsaw University of Technology Lviv Polytechnic alumni Lviv Polytechnic rectors Recipients of the State Award Badge (Poland) Recipients of the commemorative badge Orlęta
Education in Lower Dir District in Pakistan. Education demographics The total gross enrollment ratio is 73.83% without including Kachi and 79.59% including Kachi class. Student teacher ratio is 43 students per teacher and there are 41 boys per male teacher and 46 girls per female teacher. According to the recent Universal Primary Education (UPE) survey, the total number of children in the age group 5–7 years is 104,498 in which 56,937 are boys and 47,561 are girls. Due to the limited access the number of the out of school children among the age group (5–7 years) are 25,169, almost 24% children of the total (age group 5–7 years) are out of the school. In which 19% are boys and 30% are girls. These figures also include the dropped out students both boys and girls. Census of schools There are 1,023 villages in district Dir lower. There are: 827 boys primary schools 405 girls primary schools 62 girls middle schools 90 boys middle schools 14 girls high schools (Badwan, Brangola, Chakdara, Hajiabad, Khadagzai, Talash, Timergara, ...) 52 boys high school 12 boys higher secondary schools (Brangola, Chakdara, Hajiabad, Talash, Timergara, ...) 3 girls secondary school 120 private schools. 2 Boys Colleges (Gulabad, Timergara) 2 Girls Colleges (Chakdara, Timergara) 1 University (University of Malakand at Chakdara, Established in 2001) Beside the government primary schools, Khwendo Kor NGO is running 15 schools, Elementary Education Foundation (EEF) is running 25 schools, ILO is running 7 schools and Non Formal Basic Education (NFBE) is running 95 schools. The numbers of madrassas (religious schools) are not yet available. Literacy rate The adult literacy of the district among the population aged 10 years and above is 93.9% which has increased significantly since 1981 when it was just 10.16 percent. The male literacy ratio is 95.76%> compared to 85.25% percent for females, according to census report 2018. Quality measures The term quality Education needs clarity and no such practices are observed in the schools. The PTAs are formed in the schools according to government procedures, but these are only limited to school petty repairs and not involved in the school management. International development programmes In District Dir the schools and literacy department is supported by the World Food Programme for a girls enrollment enhancement programme. They provide the edible oil to the girls enrolled in the low enrollment school. There is need of developing more partnerships among these stakeholders so that the problems of education especially in the female education are solved. The NGO Khwendo Kor (KK) started a project on “Promotion of Girls Education in Dir” in this project KK strengthened and transformed the VECs (Village Education Committees) formed around the Community Based Girl Schools. The PRAs (Participatory Rural Appraisal) was carried out in 25 villages. Other activities running in District Dir are Women and Men Organization formation, the capacity building of the women organization and men organization was made in social activist, record keeping, PRAs, financial management etc. KK has now initiated a project on female education in Dir. This project is the combination of some activities, like the Development of District Education Planning, reactivating, strengthening and capacity building of PTAs, EFA forum activation and strengthening, educational budget tracking and Education Facilitation Center establishment, functionalization of the middle and primary schools. KK will facilitate the PTAs to register themselves as CCB with district government and get extra funds from the district development budget. This project will strengthen the public private partnership in education sector. KK has already signed the MoU with School and Literacy Department for undertaking these activities. CRC (SPARC) Child rights committee for Lower Dir district has also focused recently on the Education ratio in Lower Dir. CRC is a voluntary organization of SPARC working for the children rights in Lower Dir by means of lobbying and advocacy. CRC has now started a campaign against child marriage. Child marriage is also one of those harmful traditional practices which has been declared a criminal offence by the Child Marriage Restraint act 1929, yet they are being held with impunity throughout KPK, where the tradition has stronger roots than law. Problems According to the EMIS] of the School and literacy department, schools have different problems like drinking water supply, boundary walls, electricity and latrines. After devolution plan improvements are still awaited and the involvement of elected representatives in the monitoring and problem solving will take time. The role of CCBs in the education and schools is not explored and it can give better results if they are engaged in the education. References Education & literacy Department, Lower Dir District EMIS CCB External links School & Literacy Department of North-West Frontier Province Lower Dir District Education in Pakistan
Devdi Iqbal ud-Dowla is an oriental-style mansion and heritage structure located in Hyderabad, India. It was the devdi of nobleman Sir Viqar ul Umra (also known as Iqbal ud-Dowla). It was built in the late 18th century. The historic structure is neglected by authorities and is on the verge of destruction. History Located in Shah Ganj, it was built in the late 18th century by Shams-ul-Umra I. It was later inherited by his second son, Rashid Uddin Khan Shams-ul-Umra III, and passed on to his successor Sir Viqar-ul-Umra. Architecture The building is an example of Palladian and Edwardian styles of architecture. The palace consisted of four quadrangles with a cistern in the middle. References Buildings and structures in Hyderabad, India Palaces of Paigah of Hyderabad
```xml <?xml version="1.0" encoding="UTF-8"?> <!DOCTYPE plist PUBLIC "-//Apple//DTD PLIST 1.0//EN" "path_to_url"> <plist version="1.0"> <dict> <key>BuildMachineOSBuild</key> <string>17E199</string> <key>CFBundleDevelopmentRegion</key> <string>English</string> <key>CFBundleExecutable</key> <string>USBInjectAll</string> <key>CFBundleGetInfoString</key> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>CFBundleInfoDictionaryVersion</key> <string>6.0</string> <key>CFBundleName</key> <string>USBInjectAll</string> <key>CFBundlePackageType</key> <string>KEXT</string> <key>CFBundleShortVersionString</key> <string>0.6.5</string> <key>CFBundleSignature</key> <string>????</string> <key>CFBundleSupportedPlatforms</key> <array> <string>MacOSX</string> </array> <key>CFBundleVersion</key> <string>0.6.5</string> <key>DTCompiler</key> <string>com.apple.compilers.llvm.clang.1_0</string> <key>DTPlatformBuild</key> <string>9E145</string> <key>DTPlatformVersion</key> <string>GM</string> <key>DTSDKBuild</key> <string>15E60</string> <key>DTSDKName</key> <string>macosx10.11</string> <key>DTXcode</key> <string>0930</string> <key>DTXcodeBuild</key> <string>9E145</string> <key>IOKitPersonalities</key> <dict> <key>ConfigurationData</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>Configuration</key> <dict> <key>8086_1e31</key> <dict> <key>port-count</key> <data> CAAAAA== </data> <key>ports</key> <dict> <key>HS01</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> AQAAAA== </data> </dict> <key>HS02</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> AgAAAA== </data> </dict> <key>HS03</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> AwAAAA== </data> </dict> <key>HS04</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> BAAAAA== </data> </dict> <key>SSP5</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> BQAAAA== </data> </dict> <key>SSP6</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> BgAAAA== </data> </dict> <key>SSP7</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> BwAAAA== </data> </dict> <key>SSP8</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> CAAAAA== </data> </dict> </dict> </dict> <key>8086_8xxx</key> <dict> <key>port-count</key> <data> FQAAAA== </data> <key>ports</key> <dict> <key>HS01</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> AQAAAA== </data> </dict> <key>HS02</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> AgAAAA== </data> </dict> <key>HS03</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> AwAAAA== </data> </dict> <key>HS04</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> BAAAAA== </data> </dict> <key>HS05</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> BQAAAA== </data> </dict> <key>HS06</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> BgAAAA== </data> </dict> <key>HS07</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> BwAAAA== </data> </dict> <key>HS08</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> CAAAAA== </data> </dict> <key>HS09</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> CQAAAA== </data> </dict> <key>HS10</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> CgAAAA== </data> </dict> <key>HS11</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> CwAAAA== </data> </dict> <key>HS12</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> DAAAAA== </data> </dict> <key>HS13</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> DQAAAA== </data> </dict> <key>HS14</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> DgAAAA== </data> </dict> <key>SSP1</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> EAAAAA== </data> </dict> <key>SSP2</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> EQAAAA== </data> </dict> <key>SSP3</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> EgAAAA== </data> </dict> <key>SSP4</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> EwAAAA== </data> </dict> <key>SSP5</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> FAAAAA== </data> </dict> <key>SSP6</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> FQAAAA== </data> </dict> </dict> </dict> <key>8086_9cb1</key> <dict> <key>port-count</key> <data> DwAAAA== </data> <key>ports</key> <dict> <key>HS01</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> AQAAAA== </data> </dict> <key>HS02</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> AgAAAA== </data> </dict> <key>HS03</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> AwAAAA== </data> </dict> <key>HS04</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> BAAAAA== </data> </dict> <key>HS05</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> BQAAAA== </data> </dict> <key>HS06</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> BgAAAA== </data> </dict> <key>HS07</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> BwAAAA== </data> </dict> <key>HS08</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> CAAAAA== </data> </dict> <key>HS09</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> CQAAAA== </data> </dict> <key>HS10</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> CgAAAA== </data> </dict> <key>HS11</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> CwAAAA== </data> </dict> <key>SSP1</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> DAAAAA== </data> </dict> <key>SSP2</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> DQAAAA== </data> </dict> <key>SSP3</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> DgAAAA== </data> </dict> <key>SSP4</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> DwAAAA== </data> </dict> </dict> </dict> <key>8086_9d2f</key> <dict> <key>port-count</key> <data> EgAAAA== </data> <key>ports</key> <dict> <key>HS01</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> AQAAAA== </data> </dict> <key>HS02</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> AgAAAA== </data> </dict> <key>HS03</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> AwAAAA== </data> </dict> <key>HS04</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> BAAAAA== </data> </dict> <key>HS05</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> BQAAAA== </data> </dict> <key>HS06</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> BgAAAA== </data> </dict> <key>HS07</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> BwAAAA== </data> </dict> <key>HS08</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> CAAAAA== </data> </dict> <key>HS09</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> CQAAAA== </data> </dict> <key>HS10</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> CgAAAA== </data> </dict> <key>SS01</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> DQAAAA== </data> </dict> <key>SS02</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> DgAAAA== </data> </dict> <key>SS03</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> DwAAAA== </data> </dict> <key>SS04</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> EAAAAA== </data> </dict> <key>SS05</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> EQAAAA== </data> </dict> <key>SS06</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> EgAAAA== </data> </dict> <key>USR1</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> CwAAAA== </data> </dict> <key>USR2</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> DAAAAA== </data> </dict> </dict> </dict> <key>8086_9xxx</key> <dict> <key>port-count</key> <data> DQAAAA== </data> <key>ports</key> <dict> <key>HS01</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> AQAAAA== </data> </dict> <key>HS02</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> AgAAAA== </data> </dict> <key>HS03</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> AwAAAA== </data> </dict> <key>HS04</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> BAAAAA== </data> </dict> <key>HS05</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> BQAAAA== </data> </dict> <key>HS06</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> BgAAAA== </data> </dict> <key>HS07</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> BwAAAA== </data> </dict> <key>HS08</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> CAAAAA== </data> </dict> <key>HS09</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> CQAAAA== </data> </dict> <key>SSP1</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> CgAAAA== </data> </dict> <key>SSP2</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> CwAAAA== </data> </dict> <key>SSP3</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> DAAAAA== </data> </dict> <key>SSP4</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> DQAAAA== </data> </dict> </dict> </dict> <key>8086_a12f</key> <dict> <key>port-count</key> <data> GgAAAA== </data> <key>ports</key> <dict> <key>HS01</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> AQAAAA== </data> </dict> <key>HS02</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> AgAAAA== </data> </dict> <key>HS03</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> AwAAAA== </data> </dict> <key>HS04</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> BAAAAA== </data> </dict> <key>HS05</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> BQAAAA== </data> </dict> <key>HS06</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> BgAAAA== </data> </dict> <key>HS07</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> BwAAAA== </data> </dict> <key>HS08</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> CAAAAA== </data> </dict> <key>HS09</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> CQAAAA== </data> </dict> <key>HS10</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> CgAAAA== </data> </dict> <key>HS11</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> CwAAAA== </data> </dict> <key>HS12</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> DAAAAA== </data> </dict> <key>HS13</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> DQAAAA== </data> </dict> <key>HS14</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> DgAAAA== </data> </dict> <key>SS01</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> EQAAAA== </data> </dict> <key>SS02</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> EgAAAA== </data> </dict> <key>SS03</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> EwAAAA== </data> </dict> <key>SS04</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> FAAAAA== </data> </dict> <key>SS05</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> FQAAAA== </data> </dict> <key>SS06</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> FgAAAA== </data> </dict> <key>SS07</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> FwAAAA== </data> </dict> <key>SS08</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> GAAAAA== </data> </dict> <key>SS09</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> GQAAAA== </data> </dict> <key>SS10</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> GgAAAA== </data> </dict> <key>USR1</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> DwAAAA== </data> </dict> <key>USR2</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> EAAAAA== </data> </dict> </dict> </dict> <key>8086_a2af</key> <dict> <key>port-count</key> <data> GgAAAA== </data> <key>ports</key> <dict> <key>HS01</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> AQAAAA== </data> </dict> <key>HS02</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> AgAAAA== </data> </dict> <key>HS03</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> AwAAAA== </data> </dict> <key>HS04</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> BAAAAA== </data> </dict> <key>HS05</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> BQAAAA== </data> </dict> <key>HS06</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> BgAAAA== </data> </dict> <key>HS07</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> BwAAAA== </data> </dict> <key>HS08</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> CAAAAA== </data> </dict> <key>HS09</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> CQAAAA== </data> </dict> <key>HS10</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> CgAAAA== </data> </dict> <key>HS11</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> CwAAAA== </data> </dict> <key>HS12</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> DAAAAA== </data> </dict> <key>HS13</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> DQAAAA== </data> </dict> <key>HS14</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> DgAAAA== </data> </dict> <key>SS01</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> EQAAAA== </data> </dict> <key>SS02</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> EgAAAA== </data> </dict> <key>SS03</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> EwAAAA== </data> </dict> <key>SS04</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> FAAAAA== </data> </dict> <key>SS05</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> FQAAAA== </data> </dict> <key>SS06</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> FgAAAA== </data> </dict> <key>SS07</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> FwAAAA== </data> </dict> <key>SS08</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> GAAAAA== </data> </dict> <key>SS09</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> GQAAAA== </data> </dict> <key>SS10</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> GgAAAA== </data> </dict> <key>USR1</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> DwAAAA== </data> </dict> <key>USR2</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> EAAAAA== </data> </dict> </dict> </dict> <key>8086_a36d</key> <dict> <key>port-count</key> <data> GgAAAA== </data> <key>ports</key> <dict> <key>HS01</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> AQAAAA== </data> </dict> <key>HS02</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> AgAAAA== </data> </dict> <key>HS03</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> AwAAAA== </data> </dict> <key>HS04</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> BAAAAA== </data> </dict> <key>HS05</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> BQAAAA== </data> </dict> <key>HS06</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> BgAAAA== </data> </dict> <key>HS07</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> BwAAAA== </data> </dict> <key>HS08</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> CAAAAA== </data> </dict> <key>HS09</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> CQAAAA== </data> </dict> <key>HS10</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> CgAAAA== </data> </dict> <key>HS11</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> CwAAAA== </data> </dict> <key>HS12</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> DAAAAA== </data> </dict> <key>HS13</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> DQAAAA== </data> </dict> <key>HS14</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> DgAAAA== </data> </dict> <key>SS01</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> EQAAAA== </data> </dict> <key>SS02</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> EgAAAA== </data> </dict> <key>SS03</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> EwAAAA== </data> </dict> <key>SS04</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> FAAAAA== </data> </dict> <key>SS05</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> FQAAAA== </data> </dict> <key>SS06</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> FgAAAA== </data> </dict> <key>SS07</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> FwAAAA== </data> </dict> <key>SS08</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> GAAAAA== </data> </dict> <key>SS09</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> GQAAAA== </data> </dict> <key>SS10</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> GgAAAA== </data> </dict> <key>USR1</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> DwAAAA== </data> </dict> <key>USR2</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> EAAAAA== </data> </dict> </dict> </dict> <key>EH01</key> <dict> <key>port-count</key> <data> CAAAAA== </data> <key>ports</key> <dict> <key>PR11</key> <dict> <key>UsbConnector</key> <integer>255</integer> <key>port</key> <data> AQAAAA== </data> </dict> <key>PR12</key> <dict> <key>UsbConnector</key> <integer>0</integer> <key>port</key> <data> AgAAAA== </data> </dict> <key>PR13</key> <dict> <key>UsbConnector</key> <integer>0</integer> <key>port</key> <data> AwAAAA== </data> </dict> <key>PR14</key> <dict> <key>UsbConnector</key> <integer>0</integer> <key>port</key> <data> BAAAAA== </data> </dict> <key>PR15</key> <dict> <key>UsbConnector</key> <integer>0</integer> <key>port</key> <data> BQAAAA== </data> </dict> <key>PR16</key> <dict> <key>UsbConnector</key> <integer>0</integer> <key>port</key> <data> BgAAAA== </data> </dict> <key>PR17</key> <dict> <key>UsbConnector</key> <integer>0</integer> <key>port</key> <data> BwAAAA== </data> </dict> <key>PR18</key> <dict> <key>UsbConnector</key> <integer>0</integer> <key>port</key> <data> CAAAAA== </data> </dict> </dict> </dict> <key>EH02</key> <dict> <key>port-count</key> <data> BgAAAA== </data> <key>ports</key> <dict> <key>PR21</key> <dict> <key>UsbConnector</key> <integer>255</integer> <key>port</key> <data> AQAAAA== </data> </dict> <key>PR22</key> <dict> <key>UsbConnector</key> <integer>0</integer> <key>port</key> <data> AgAAAA== </data> </dict> <key>PR23</key> <dict> <key>UsbConnector</key> <integer>0</integer> <key>port</key> <data> AwAAAA== </data> </dict> <key>PR24</key> <dict> <key>UsbConnector</key> <integer>0</integer> <key>port</key> <data> BAAAAA== </data> </dict> <key>PR25</key> <dict> <key>UsbConnector</key> <integer>0</integer> <key>port</key> <data> BQAAAA== </data> </dict> <key>PR26</key> <dict> <key>UsbConnector</key> <integer>0</integer> <key>port</key> <data> BgAAAA== </data> </dict> </dict> </dict> <key>HUB1</key> <dict> <key>port-count</key> <data> CAAAAA== </data> <key>ports</key> <dict> <key>HP11</key> <dict> <key>port</key> <data> AQAAAA== </data> <key>portType</key> <integer>0</integer> </dict> <key>HP12</key> <dict> <key>port</key> <data> AgAAAA== </data> <key>portType</key> <integer>0</integer> </dict> <key>HP13</key> <dict> <key>port</key> <data> AwAAAA== </data> <key>portType</key> <integer>0</integer> </dict> <key>HP14</key> <dict> <key>port</key> <data> BAAAAA== </data> <key>portType</key> <integer>0</integer> </dict> <key>HP15</key> <dict> <key>port</key> <data> BQAAAA== </data> <key>portType</key> <integer>0</integer> </dict> <key>HP16</key> <dict> <key>port</key> <data> BgAAAA== </data> <key>portType</key> <integer>0</integer> </dict> <key>HP17</key> <dict> <key>port</key> <data> BwAAAA== </data> <key>portType</key> <integer>0</integer> </dict> <key>HP18</key> <dict> <key>port</key> <data> CAAAAA== </data> <key>portType</key> <integer>0</integer> </dict> </dict> </dict> <key>HUB2</key> <dict> <key>port-count</key> <data> CAAAAA== </data> <key>ports</key> <dict> <key>HP21</key> <dict> <key>port</key> <data> AQAAAA== </data> <key>portType</key> <integer>0</integer> </dict> <key>HP22</key> <dict> <key>port</key> <data> AgAAAA== </data> <key>portType</key> <integer>0</integer> </dict> <key>HP23</key> <dict> <key>port</key> <data> AwAAAA== </data> <key>portType</key> <integer>0</integer> </dict> <key>HP24</key> <dict> <key>port</key> <data> BAAAAA== </data> <key>portType</key> <integer>0</integer> </dict> <key>HP25</key> <dict> <key>port</key> <data> BQAAAA== </data> <key>portType</key> <integer>0</integer> </dict> <key>HP26</key> <dict> <key>port</key> <data> BgAAAA== </data> <key>portType</key> <integer>0</integer> </dict> <key>HP27</key> <dict> <key>port</key> <data> BwAAAA== </data> <key>portType</key> <integer>0</integer> </dict> <key>HP28</key> <dict> <key>port</key> <data> CAAAAA== </data> <key>portType</key> <integer>0</integer> </dict> </dict> </dict> </dict> <key>IOClass</key> <string>org_rehabman_USBInjectAll_config</string> <key>IOMatchCategory</key> <string>org_rehabman_USBInjectAll_config</string> <key>IOProviderClass</key> <string>IOResources</string> </dict> <key>MacBook10,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacBook10,1</string> </dict> <key>MacBook10,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacBook10,1</string> </dict> <key>MacBook10,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacBook10,1</string> </dict> <key>MacBook10,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacBook10,1</string> </dict> <key>MacBook10,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacBook10,1</string> </dict> <key>MacBook10,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacBook10,1</string> </dict> <key>MacBook8,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacBook8,1</string> </dict> <key>MacBook8,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacBook8,1</string> </dict> <key>MacBook8,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacBook8,1</string> </dict> <key>MacBook8,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacBook8,1</string> </dict> <key>MacBook8,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacBook8,1</string> </dict> <key>MacBook8,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacBook8,1</string> </dict> <key>MacBook9,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacBook9,1</string> </dict> <key>MacBook9,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacBook9,1</string> </dict> <key>MacBook9,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacBook9,1</string> </dict> <key>MacBook9,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacBook9,1</string> </dict> <key>MacBook9,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacBook9,1</string> </dict> <key>MacBook9,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacBook9,1</string> </dict> <key>MacBookAir4,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacBookAir4,1</string> </dict> <key>MacBookAir4,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacBookAir4,1</string> </dict> <key>MacBookAir4,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacBookAir4,1</string> </dict> <key>MacBookAir4,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacBookAir4,1</string> </dict> <key>MacBookAir4,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacBookAir4,1</string> </dict> <key>MacBookAir4,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacBookAir4,1</string> </dict> <key>MacBookAir4,2-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacBookAir4,2</string> </dict> <key>MacBookAir4,2-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacBookAir4,2</string> </dict> <key>MacBookAir4,2-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacBookAir4,2</string> </dict> <key>MacBookAir4,2-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacBookAir4,2</string> </dict> <key>MacBookAir4,2-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacBookAir4,2</string> </dict> <key>MacBookAir4,2-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacBookAir4,2</string> </dict> <key>MacBookAir5,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacBookAir5,1</string> </dict> <key>MacBookAir5,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacBookAir5,1</string> </dict> <key>MacBookAir5,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacBookAir5,1</string> </dict> <key>MacBookAir5,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacBookAir5,1</string> </dict> <key>MacBookAir5,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacBookAir5,1</string> </dict> <key>MacBookAir5,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacBookAir5,1</string> </dict> <key>MacBookAir5,2-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacBookAir5,2</string> </dict> <key>MacBookAir5,2-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacBookAir5,2</string> </dict> <key>MacBookAir5,2-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacBookAir5,2</string> </dict> <key>MacBookAir5,2-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacBookAir5,2</string> </dict> <key>MacBookAir5,2-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacBookAir5,2</string> </dict> <key>MacBookAir5,2-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacBookAir5,2</string> </dict> <key>MacBookAir6,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacBookAir6,1</string> </dict> <key>MacBookAir6,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacBookAir6,1</string> </dict> <key>MacBookAir6,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacBookAir6,1</string> </dict> <key>MacBookAir6,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacBookAir6,1</string> </dict> <key>MacBookAir6,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacBookAir6,1</string> </dict> <key>MacBookAir6,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacBookAir6,1</string> </dict> <key>MacBookAir6,2-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacBookAir6,2</string> </dict> <key>MacBookAir6,2-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacBookAir6,2</string> </dict> <key>MacBookAir6,2-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacBookAir6,2</string> </dict> <key>MacBookAir6,2-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacBookAir6,2</string> </dict> <key>MacBookAir6,2-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacBookAir6,2</string> </dict> <key>MacBookAir6,2-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacBookAir6,2</string> </dict> <key>MacBookAir7,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacBookAir7,1</string> </dict> <key>MacBookAir7,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacBookAir7,1</string> </dict> <key>MacBookAir7,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacBookAir7,1</string> </dict> <key>MacBookAir7,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacBookAir7,1</string> </dict> <key>MacBookAir7,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacBookAir7,1</string> </dict> <key>MacBookAir7,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacBookAir7,1</string> </dict> <key>MacBookAir7,2-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacBookAir7,2</string> </dict> <key>MacBookAir7,2-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacBookAir7,2</string> </dict> <key>MacBookAir7,2-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacBookAir7,2</string> </dict> <key>MacBookAir7,2-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacBookAir7,2</string> </dict> <key>MacBookAir7,2-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacBookAir7,2</string> </dict> <key>MacBookAir7,2-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacBookAir7,2</string> </dict> <key>MacBookPro10,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacBookPro10,1</string> </dict> <key>MacBookPro10,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacBookPro10,1</string> </dict> <key>MacBookPro10,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacBookPro10,1</string> </dict> <key>MacBookPro10,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacBookPro10,1</string> </dict> <key>MacBookPro10,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacBookPro10,1</string> </dict> <key>MacBookPro10,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacBookPro10,1</string> </dict> <key>MacBookPro11,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacBookPro11,1</string> </dict> <key>MacBookPro11,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacBookPro11,1</string> </dict> <key>MacBookPro11,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacBookPro11,1</string> </dict> <key>MacBookPro11,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacBookPro11,1</string> </dict> <key>MacBookPro11,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacBookPro11,1</string> </dict> <key>MacBookPro11,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacBookPro11,1</string> </dict> <key>MacBookPro11,2-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacBookPro11,2</string> </dict> <key>MacBookPro11,2-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacBookPro11,2</string> </dict> <key>MacBookPro11,2-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacBookPro11,2</string> </dict> <key>MacBookPro11,2-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacBookPro11,2</string> </dict> <key>MacBookPro11,2-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacBookPro11,2</string> </dict> <key>MacBookPro11,2-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacBookPro11,2</string> </dict> <key>MacBookPro11,3-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacBookPro11,3</string> </dict> <key>MacBookPro11,3-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacBookPro11,3</string> </dict> <key>MacBookPro11,3-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacBookPro11,3</string> </dict> <key>MacBookPro11,3-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacBookPro11,3</string> </dict> <key>MacBookPro11,3-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacBookPro11,3</string> </dict> <key>MacBookPro11,3-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacBookPro11,3</string> </dict> <key>MacBookPro11,4-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacBookPro11,4</string> </dict> <key>MacBookPro11,4-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacBookPro11,4</string> </dict> <key>MacBookPro11,4-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacBookPro11,4</string> </dict> <key>MacBookPro11,4-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacBookPro11,4</string> </dict> <key>MacBookPro11,4-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacBookPro11,4</string> </dict> <key>MacBookPro11,4-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacBookPro11,4</string> </dict> <key>MacBookPro11,5-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacBookPro11,5</string> </dict> <key>MacBookPro11,5-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacBookPro11,5</string> </dict> <key>MacBookPro11,5-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacBookPro11,5</string> </dict> <key>MacBookPro11,5-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacBookPro11,5</string> </dict> <key>MacBookPro11,5-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacBookPro11,5</string> </dict> <key>MacBookPro11,5-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacBookPro11,5</string> </dict> <key>MacBookPro12,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacBookPro12,1</string> </dict> <key>MacBookPro12,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacBookPro12,1</string> </dict> <key>MacBookPro12,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacBookPro12,1</string> </dict> <key>MacBookPro12,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacBookPro12,1</string> </dict> <key>MacBookPro12,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacBookPro12,1</string> </dict> <key>MacBookPro12,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacBookPro12,1</string> </dict> <key>MacBookPro12,2-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacBookPro12,2</string> </dict> <key>MacBookPro12,2-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacBookPro12,2</string> </dict> <key>MacBookPro12,2-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacBookPro12,2</string> </dict> <key>MacBookPro12,2-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacBookPro12,2</string> </dict> <key>MacBookPro12,2-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacBookPro12,2</string> </dict> <key>MacBookPro12,2-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacBookPro12,2</string> </dict> <key>MacBookPro13,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacBookPro13,1</string> </dict> <key>MacBookPro13,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacBookPro13,1</string> </dict> <key>MacBookPro13,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacBookPro13,1</string> </dict> <key>MacBookPro13,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacBookPro13,1</string> </dict> <key>MacBookPro13,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacBookPro13,1</string> </dict> <key>MacBookPro13,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacBookPro13,1</string> </dict> <key>MacBookPro13,2-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacBookPro13,2</string> </dict> <key>MacBookPro13,2-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacBookPro13,2</string> </dict> <key>MacBookPro13,2-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacBookPro13,2</string> </dict> <key>MacBookPro13,2-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacBookPro13,2</string> </dict> <key>MacBookPro13,2-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacBookPro13,2</string> </dict> <key>MacBookPro13,2-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacBookPro13,2</string> </dict> <key>MacBookPro13,3-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacBookPro13,3</string> </dict> <key>MacBookPro13,3-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacBookPro13,3</string> </dict> <key>MacBookPro13,3-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacBookPro13,3</string> </dict> <key>MacBookPro13,3-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacBookPro13,3</string> </dict> <key>MacBookPro13,3-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacBookPro13,3</string> </dict> <key>MacBookPro13,3-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacBookPro13,3</string> </dict> <key>MacBookPro14,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacBookPro14,1</string> </dict> <key>MacBookPro14,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacBookPro14,1</string> </dict> <key>MacBookPro14,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacBookPro14,1</string> </dict> <key>MacBookPro14,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacBookPro14,1</string> </dict> <key>MacBookPro14,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacBookPro14,1</string> </dict> <key>MacBookPro14,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacBookPro14,1</string> </dict> <key>MacBookPro14,2-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacBookPro14,2</string> </dict> <key>MacBookPro14,2-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacBookPro14,2</string> </dict> <key>MacBookPro14,2-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacBookPro14,2</string> </dict> <key>MacBookPro14,2-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacBookPro14,2</string> </dict> <key>MacBookPro14,2-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacBookPro14,2</string> </dict> <key>MacBookPro14,2-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacBookPro14,2</string> </dict> <key>MacBookPro14,3-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacBookPro14,3</string> </dict> <key>MacBookPro14,3-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacBookPro14,3</string> </dict> <key>MacBookPro14,3-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacBookPro14,3</string> </dict> <key>MacBookPro14,3-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacBookPro14,3</string> </dict> <key>MacBookPro14,3-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacBookPro14,3</string> </dict> <key>MacBookPro14,3-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacBookPro14,3</string> </dict> <key>MacBookPro6,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacBookPro6,1</string> </dict> <key>MacBookPro6,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacBookPro6,1</string> </dict> <key>MacBookPro6,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacBookPro6,1</string> </dict> <key>MacBookPro6,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacBookPro6,1</string> </dict> <key>MacBookPro6,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacBookPro6,1</string> </dict> <key>MacBookPro6,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacBookPro6,1</string> </dict> <key>MacBookPro6,2-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacBookPro6,2</string> </dict> <key>MacBookPro6,2-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacBookPro6,2</string> </dict> <key>MacBookPro6,2-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacBookPro6,2</string> </dict> <key>MacBookPro6,2-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacBookPro6,2</string> </dict> <key>MacBookPro6,2-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacBookPro6,2</string> </dict> <key>MacBookPro6,2-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacBookPro6,2</string> </dict> <key>MacBookPro7,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacBookPro7,1</string> </dict> <key>MacBookPro7,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacBookPro7,1</string> </dict> <key>MacBookPro7,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacBookPro7,1</string> </dict> <key>MacBookPro7,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacBookPro7,1</string> </dict> <key>MacBookPro7,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacBookPro7,1</string> </dict> <key>MacBookPro7,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacBookPro7,1</string> </dict> <key>MacBookPro8,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacBookPro8,1</string> </dict> <key>MacBookPro8,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacBookPro8,1</string> </dict> <key>MacBookPro8,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacBookPro8,1</string> </dict> <key>MacBookPro8,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacBookPro8,1</string> </dict> <key>MacBookPro8,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacBookPro8,1</string> </dict> <key>MacBookPro8,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacBookPro8,1</string> </dict> <key>MacBookPro8,2-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacBookPro8,2</string> </dict> <key>MacBookPro8,2-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacBookPro8,2</string> </dict> <key>MacBookPro8,2-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacBookPro8,2</string> </dict> <key>MacBookPro8,2-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacBookPro8,2</string> </dict> <key>MacBookPro8,2-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacBookPro8,2</string> </dict> <key>MacBookPro8,2-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacBookPro8,2</string> </dict> <key>MacBookPro8,3-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacBookPro8,3</string> </dict> <key>MacBookPro8,3-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacBookPro8,3</string> </dict> <key>MacBookPro8,3-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacBookPro8,3</string> </dict> <key>MacBookPro8,3-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacBookPro8,3</string> </dict> <key>MacBookPro8,3-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacBookPro8,3</string> </dict> <key>MacBookPro8,3-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacBookPro8,3</string> </dict> <key>MacBookPro9,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacBookPro9,1</string> </dict> <key>MacBookPro9,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacBookPro9,1</string> </dict> <key>MacBookPro9,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacBookPro9,1</string> </dict> <key>MacBookPro9,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacBookPro9,1</string> </dict> <key>MacBookPro9,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacBookPro9,1</string> </dict> <key>MacBookPro9,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacBookPro9,1</string> </dict> <key>MacBookPro9,2-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacBookPro9,2</string> </dict> <key>MacBookPro9,2-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacBookPro9,2</string> </dict> <key>MacBookPro9,2-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacBookPro9,2</string> </dict> <key>MacBookPro9,2-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacBookPro9,2</string> </dict> <key>MacBookPro9,2-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacBookPro9,2</string> </dict> <key>MacBookPro9,2-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacBookPro9,2</string> </dict> <key>MacBookpro10,2-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacBookpro10,2</string> </dict> <key>MacBookpro10,2-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacBookpro10,2</string> </dict> <key>MacBookpro10,2-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacBookpro10,2</string> </dict> <key>MacBookpro10,2-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacBookpro10,2</string> </dict> <key>MacBookpro10,2-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacBookpro10,2</string> </dict> <key>MacBookpro10,2-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacBookpro10,2</string> </dict> <key>MacPro3,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacPro3,1</string> </dict> <key>MacPro3,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacPro3,1</string> </dict> <key>MacPro3,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacPro3,1</string> </dict> <key>MacPro3,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacPro3,1</string> </dict> <key>MacPro3,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacPro3,1</string> </dict> <key>MacPro3,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacPro3,1</string> </dict> <key>MacPro4,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacPro4,1</string> </dict> <key>MacPro4,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacPro4,1</string> </dict> <key>MacPro4,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacPro4,1</string> </dict> <key>MacPro4,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacPro4,1</string> </dict> <key>MacPro4,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacPro4,1</string> </dict> <key>MacPro4,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacPro4,1</string> </dict> <key>MacPro5,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacPro5,1</string> </dict> <key>MacPro5,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacPro5,1</string> </dict> <key>MacPro5,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacPro5,1</string> </dict> <key>MacPro5,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacPro5,1</string> </dict> <key>MacPro5,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacPro5,1</string> </dict> <key>MacPro5,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacPro5,1</string> </dict> <key>MacPro6,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacPro6,1</string> </dict> <key>MacPro6,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacPro6,1</string> </dict> <key>MacPro6,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacPro6,1</string> </dict> <key>MacPro6,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacPro6,1</string> </dict> <key>MacPro6,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacPro6,1</string> </dict> <key>MacPro6,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacPro6,1</string> </dict> <key>Macmini5,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>Macmini5,1</string> </dict> <key>Macmini5,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>Macmini5,1</string> </dict> <key>Macmini5,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>Macmini5,1</string> </dict> <key>Macmini5,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>Macmini5,1</string> </dict> <key>Macmini5,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>Macmini5,1</string> </dict> <key>Macmini5,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>Macmini5,1</string> </dict> <key>Macmini5,2-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>Macmini5,2</string> </dict> <key>Macmini5,2-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>Macmini5,2</string> </dict> <key>Macmini5,2-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>Macmini5,2</string> </dict> <key>Macmini5,2-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>Macmini5,2</string> </dict> <key>Macmini5,2-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>Macmini5,2</string> </dict> <key>Macmini5,2-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>Macmini5,2</string> </dict> <key>Macmini5,3-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>Macmini5,3</string> </dict> <key>Macmini5,3-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>Macmini5,3</string> </dict> <key>Macmini5,3-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>Macmini5,3</string> </dict> <key>Macmini5,3-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>Macmini5,3</string> </dict> <key>Macmini5,3-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>Macmini5,3</string> </dict> <key>Macmini5,3-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>Macmini5,3</string> </dict> <key>Macmini6,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>Macmini6,1</string> </dict> <key>Macmini6,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>Macmini6,1</string> </dict> <key>Macmini6,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>Macmini6,1</string> </dict> <key>Macmini6,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>Macmini6,1</string> </dict> <key>Macmini6,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>Macmini6,1</string> </dict> <key>Macmini6,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>Macmini6,1</string> </dict> <key>Macmini6,2-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>Macmini6,2</string> </dict> <key>Macmini6,2-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>Macmini6,2</string> </dict> <key>Macmini6,2-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>Macmini6,2</string> </dict> <key>Macmini6,2-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>Macmini6,2</string> </dict> <key>Macmini6,2-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>Macmini6,2</string> </dict> <key>Macmini6,2-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>Macmini6,2</string> </dict> <key>Macmini7,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>Macmini7,1</string> </dict> <key>Macmini7,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>Macmini7,1</string> </dict> <key>Macmini7,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>Macmini7,1</string> </dict> <key>Macmini7,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>Macmini7,1</string> </dict> <key>Macmini7,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>Macmini7,1</string> </dict> <key>Macmini7,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>Macmini7,1</string> </dict> <key>iMac10,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>iMac10,1</string> </dict> <key>iMac10,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>iMac10,1</string> </dict> <key>iMac10,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>iMac10,1</string> </dict> <key>iMac10,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>iMac10,1</string> </dict> <key>iMac10,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>iMac10,1</string> </dict> <key>iMac10,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>iMac10,1</string> </dict> <key>iMac11,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>iMac11,1</string> </dict> <key>iMac11,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>iMac11,1</string> </dict> <key>iMac11,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>iMac11,1</string> </dict> <key>iMac11,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>iMac11,1</string> </dict> <key>iMac11,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>iMac11,1</string> </dict> <key>iMac11,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>iMac11,1</string> </dict> <key>iMac11,2-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>iMac11,2</string> </dict> <key>iMac11,2-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>iMac11,2</string> </dict> <key>iMac11,2-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>iMac11,2</string> </dict> <key>iMac11,2-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>iMac11,2</string> </dict> <key>iMac11,2-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>iMac11,2</string> </dict> <key>iMac11,2-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>iMac11,2</string> </dict> <key>iMac11,3-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>iMac11,3</string> </dict> <key>iMac11,3-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>iMac11,3</string> </dict> <key>iMac11,3-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>iMac11,3</string> </dict> <key>iMac11,3-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>iMac11,3</string> </dict> <key>iMac11,3-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>iMac11,3</string> </dict> <key>iMac11,3-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>iMac11,3</string> </dict> <key>iMac12,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>iMac12,1</string> </dict> <key>iMac12,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>iMac12,1</string> </dict> <key>iMac12,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>iMac12,1</string> </dict> <key>iMac12,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>iMac12,1</string> </dict> <key>iMac12,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>iMac12,1</string> </dict> <key>iMac12,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>iMac12,1</string> </dict> <key>iMac12,2-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>iMac12,2</string> </dict> <key>iMac12,2-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>iMac12,2</string> </dict> <key>iMac12,2-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>iMac12,2</string> </dict> <key>iMac12,2-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>iMac12,2</string> </dict> <key>iMac12,2-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>iMac12,2</string> </dict> <key>iMac12,2-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>iMac12,2</string> </dict> <key>iMac13,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>iMac13,1</string> </dict> <key>iMac13,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>iMac13,1</string> </dict> <key>iMac13,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>iMac13,1</string> </dict> <key>iMac13,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>iMac13,1</string> </dict> <key>iMac13,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>iMac13,1</string> </dict> <key>iMac13,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>iMac13,1</string> </dict> <key>iMac13,2-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>iMac13,2</string> </dict> <key>iMac13,2-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>iMac13,2</string> </dict> <key>iMac13,2-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>iMac13,2</string> </dict> <key>iMac13,2-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>iMac13,2</string> </dict> <key>iMac13,2-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>iMac13,2</string> </dict> <key>iMac13,2-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>iMac13,2</string> </dict> <key>iMac14,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>iMac14,1</string> </dict> <key>iMac14,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>iMac14,1</string> </dict> <key>iMac14,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>iMac14,1</string> </dict> <key>iMac14,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>iMac14,1</string> </dict> <key>iMac14,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>iMac14,1</string> </dict> <key>iMac14,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>iMac14,1</string> </dict> <key>iMac14,2-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>iMac14,2</string> </dict> <key>iMac14,2-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>iMac14,2</string> </dict> <key>iMac14,2-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>iMac14,2</string> </dict> <key>iMac14,2-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>iMac14,2</string> </dict> <key>iMac14,2-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>iMac14,2</string> </dict> <key>iMac14,2-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>iMac14,2</string> </dict> <key>iMac14,3-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>iMac14,3</string> </dict> <key>iMac14,3-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>iMac14,3</string> </dict> <key>iMac14,3-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>iMac14,3</string> </dict> <key>iMac14,3-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>iMac14,3</string> </dict> <key>iMac14,3-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>iMac14,3</string> </dict> <key>iMac14,3-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>iMac14,3</string> </dict> <key>iMac15,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>iMac15,1</string> </dict> <key>iMac15,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>iMac15,1</string> </dict> <key>iMac15,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>iMac15,1</string> </dict> <key>iMac15,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>iMac15,1</string> </dict> <key>iMac15,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>iMac15,1</string> </dict> <key>iMac15,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>iMac15,1</string> </dict> <key>iMac16,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>iMac16,1</string> </dict> <key>iMac16,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>iMac16,1</string> </dict> <key>iMac16,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>iMac16,1</string> </dict> <key>iMac16,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>iMac16,1</string> </dict> <key>iMac16,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>iMac16,1</string> </dict> <key>iMac16,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>iMac16,1</string> </dict> <key>iMac16,2-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>iMac16,2</string> </dict> <key>iMac16,2-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>iMac16,2</string> </dict> <key>iMac16,2-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>iMac16,2</string> </dict> <key>iMac16,2-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>iMac16,2</string> </dict> <key>iMac16,2-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>iMac16,2</string> </dict> <key>iMac16,2-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>iMac16,2</string> </dict> <key>iMac17,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>iMac17,1</string> </dict> <key>iMac17,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>iMac17,1</string> </dict> <key>iMac17,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>iMac17,1</string> </dict> <key>iMac17,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>iMac17,1</string> </dict> <key>iMac17,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>iMac17,1</string> </dict> <key>iMac17,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>iMac17,1</string> </dict> <key>iMac18,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>iMac18,1</string> </dict> <key>iMac18,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>iMac18,1</string> </dict> <key>iMac18,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>iMac18,1</string> </dict> <key>iMac18,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>iMac18,1</string> </dict> <key>iMac18,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>iMac18,1</string> </dict> <key>iMac18,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>iMac18,1</string> </dict> <key>iMac18,2-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>iMac18,2</string> </dict> <key>iMac18,2-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>iMac18,2</string> </dict> <key>iMac18,2-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>iMac18,2</string> </dict> <key>iMac18,2-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>iMac18,2</string> </dict> <key>iMac18,2-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>iMac18,2</string> </dict> <key>iMac18,2-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>iMac18,2</string> </dict> <key>iMac18,3-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>iMac18,3</string> </dict> <key>iMac18,3-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>iMac18,3</string> </dict> <key>iMac18,3-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>iMac18,3</string> </dict> <key>iMac18,3-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>iMac18,3</string> </dict> <key>iMac18,3-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>iMac18,3</string> </dict> <key>iMac18,3-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>iMac18,3</string> </dict> <key>iMac19,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>iMac19,1</string> </dict> <key>iMac19,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>iMac19,1</string> </dict> <key>iMac19,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>iMac19,1</string> </dict> <key>iMac19,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>iMac19,1</string> </dict> <key>iMac19,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>iMac19,1</string> </dict> <key>iMac19,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>iMac19,1</string> </dict> <key>iMac4,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>iMac4,1</string> </dict> <key>iMac4,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>iMac4,1</string> </dict> <key>iMac4,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>iMac4,1</string> </dict> <key>iMac4,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>iMac4,1</string> </dict> <key>iMac4,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>iMac4,1</string> </dict> <key>iMac4,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>iMac4,1</string> </dict> <key>iMac4,2-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>iMac4,2</string> </dict> <key>iMac4,2-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>iMac4,2</string> </dict> <key>iMac4,2-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>iMac4,2</string> </dict> <key>iMac4,2-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>iMac4,2</string> </dict> <key>iMac4,2-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>iMac4,2</string> </dict> <key>iMac4,2-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>iMac4,2</string> </dict> <key>iMac5,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>iMac5,1</string> </dict> <key>iMac5,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>iMac5,1</string> </dict> <key>iMac5,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>iMac5,1</string> </dict> <key>iMac5,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>iMac5,1</string> </dict> <key>iMac5,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>iMac5,1</string> </dict> <key>iMac5,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>iMac5,1</string> </dict> <key>iMac6,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>iMac6,1</string> </dict> <key>iMac6,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>iMac6,1</string> </dict> <key>iMac6,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>iMac6,1</string> </dict> <key>iMac6,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>iMac6,1</string> </dict> <key>iMac6,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>iMac6,1</string> </dict> <key>iMac6,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>iMac6,1</string> </dict> <key>iMac7,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>iMac7,1</string> </dict> <key>iMac7,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>iMac7,1</string> </dict> <key>iMac7,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>iMac7,1</string> </dict> <key>iMac7,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>iMac7,1</string> </dict> <key>iMac7,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>iMac7,1</string> </dict> <key>iMac7,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>iMac7,1</string> </dict> <key>iMac8,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>iMac8,1</string> </dict> <key>iMac8,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>iMac8,1</string> </dict> <key>iMac8,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>iMac8,1</string> </dict> <key>iMac8,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>iMac8,1</string> </dict> <key>iMac8,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>iMac8,1</string> </dict> <key>iMac8,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>iMac8,1</string> </dict> <key>iMac9,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>iMac9,1</string> </dict> <key>iMac9,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>iMac9,1</string> </dict> <key>iMac9,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>iMac9,1</string> </dict> <key>iMac9,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>iMac9,1</string> </dict> <key>iMac9,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>iMac9,1</string> </dict> <key>iMac9,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>iMac9,1</string> </dict> <key>iMacPro1,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>iMacPro1,1</string> </dict> <key>iMacPro1,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>iMacPro1,1</string> </dict> <key>iMacPro1,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>iMacPro1,1</string> </dict> <key>iMacPro1,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>iMacPro1,1</string> </dict> <key>iMacPro1,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>iMacPro1,1</string> </dict> <key>iMacPro1,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>iMacPro1,1</string> </dict> </dict> <key>OSBundleLibraries</key> <dict> <key>com.apple.iokit.IOACPIFamily</key> <string>1.0d1</string> <key>com.apple.iokit.IOPCIFamily</key> <string>1.0.0b1</string> <key>com.apple.kpi.iokit</key> <string>9.0.0</string> <key>com.apple.kpi.libkern</key> <string>9.0.0</string> </dict> <key>OSBundleRequired</key> <string>Root</string> <key>Source Code</key> <string>path_to_url </dict> </plist> ```
```python from __future__ import annotations import numpy as np from ConfigSpace import Configuration from smac.runhistory import RunHistory from smac.runhistory.dataclasses import InstanceSeedBudgetKey def _get_costs( runhistory: RunHistory, configs: list[Configuration], config_instance_seed_budget_keys: list[list[InstanceSeedBudgetKey]], ) -> np.ndarray: """Returns the costs of the passed configurations. Parameters ---------- runhistory : RunHistory The runhistory containing the passed configs. configs : list[Configuration] The configs for which the costs should be returned. config_instance_seed_budget_keys: list[list[InstanceSeedBudgetKey]] The instance-seed budget keys for the configs for which the costs should be returned. Returns ------- costs : np.ndarray[n_points, n_objectives] Costs of the given configs. """ assert len(configs) == len(config_instance_seed_budget_keys) # Now we get the costs for the trials of the config average_costs = [] for config, isb_keys in zip(configs, config_instance_seed_budget_keys): # Since we use multiple seeds, we have to average them to get only one cost value pair for each # configuration # However, we only want to consider the config trials # Average cost is a list of floats (one for each objective) average_cost = runhistory.average_cost(config, isb_keys, normalize=False) average_costs += [average_cost] # Let's work with a numpy array for efficiency return np.vstack(average_costs) def calculate_pareto_front( runhistory: RunHistory, configs: list[Configuration], config_instance_seed_budget_keys: list[list[InstanceSeedBudgetKey]], ) -> list[Configuration]: """Compares the passed configurations and returns only the ones on the pareto front. Parameters ---------- runhistory : RunHistory The runhistory containing the given configurations. configs : list[Configuration] The configurations from which the Pareto front should be computed. config_instance_seed_budget_keys: list[list[InstanceSeedBudgetKey]] The instance-seed budget keys for the configurations on the basis of which the Pareto front should be computed. Returns ------- pareto_front : list[Configuration] The pareto front computed from the given configurations. """ costs = _get_costs(runhistory, configs, config_instance_seed_budget_keys) # The following code is an efficient pareto front implementation is_efficient = np.arange(costs.shape[0]) next_point_index = 0 # Next index in the is_efficient array to search for while next_point_index < len(costs): nondominated_point_mask = np.any(costs < costs[next_point_index], axis=1) nondominated_point_mask[next_point_index] = True is_efficient = is_efficient[nondominated_point_mask] # Remove dominated points costs = costs[nondominated_point_mask] next_point_index = np.sum(nondominated_point_mask[:next_point_index]) + 1 new_incumbents = [configs[i] for i in is_efficient] return new_incumbents def sort_by_crowding_distance( runhistory: RunHistory, configs: list[Configuration], config_instance_seed_budget_keys: list[list[InstanceSeedBudgetKey]], ) -> list[Configuration]: """Sorts the passed configurations by their crowding distance. Taken from path_to_url Parameters ---------- runhistory : RunHistory The runhistory containing the given configurations. configs : list[Configuration] The configurations which should be sorted. config_instance_seed_budget_keys: list[list[InstanceSeedBudgetKey]] The instance-seed budget keys for the configurations which should be sorted. Returns ------- sorted_list : list[Configuration] Configurations sorted by crowding distance. """ F = _get_costs(runhistory, configs, config_instance_seed_budget_keys) infinity = 1e14 n_points = F.shape[0] n_obj = F.shape[1] if n_points <= 2: # distances = np.full(n_points, infinity) return configs else: # Sort each column and get index I = np.argsort(F, axis=0, kind="mergesort") # noqa # Now really sort the whole array F = F[I, np.arange(n_obj)] # get the distance to the last element in sorted list and replace zeros with actual values dist = np.concatenate([F, np.full((1, n_obj), np.inf)]) - np.concatenate([np.full((1, n_obj), -np.inf), F]) index_dist_is_zero = np.where(dist == 0) dist_to_last = np.copy(dist) for i, j in zip(*index_dist_is_zero): dist_to_last[i, j] = dist_to_last[i - 1, j] dist_to_next = np.copy(dist) for i, j in reversed(list(zip(*index_dist_is_zero))): dist_to_next[i, j] = dist_to_next[i + 1, j] # Normalize all the distances norm = np.max(F, axis=0) - np.min(F, axis=0) norm[norm == 0] = np.nan dist_to_last, dist_to_next = dist_to_last[:-1] / norm, dist_to_next[1:] / norm # If we divided by zero because all values in one columns are equal replace by none dist_to_last[np.isnan(dist_to_last)] = 0.0 dist_to_next[np.isnan(dist_to_next)] = 0.0 # Sum up the distance to next and last and norm by objectives - also reorder from sorted list J = np.argsort(I, axis=0) crowding = np.sum(dist_to_last[J, np.arange(n_obj)] + dist_to_next[J, np.arange(n_obj)], axis=1) / n_obj # Replace infinity with a large number crowding[np.isinf(crowding)] = infinity config_with_crowding = [(config, v) for config, v in zip(configs, crowding)] config_with_crowding = sorted(config_with_crowding, key=lambda x: x[1], reverse=True) return [c for c, _ in config_with_crowding] ```
```objective-c This program is free software; you can redistribute it and/or modify the Free Software Foundation This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the with this program; if not, write to the Free Software Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA. */ // Animation names #define TURRET_ANIM_DEFAULT 0 // Color names // Patch names // Names of collision boxes #define TURRET_COLLISION_BOX_DEFAULT 0 // Attaching position names #define TURRET_ATTACHMENT_ROTATORHEADING 0 // Sound names ```
```c /* * * Permission is hereby granted, free of charge, to any person obtaining a * copy of this software and associated documentation files (the "Software"), * to deal in the Software without restriction, including without limitation * the rights to use, copy, modify, merge, publish, distribute, sublicense, * and/or sell copies of the Software, and to permit persons to whom the * Software is furnished to do so, subject to the following conditions: * * The above copyright notice and this permission notice shall be included in * all copies or substantial portions of the Software. * * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL * THE COPYRIGHT HOLDER(S) OR AUTHOR(S) BE LIABLE FOR ANY CLAIM, DAMAGES OR * OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, * ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR * OTHER DEALINGS IN THE SOFTWARE. * */ #include "amdgpu.h" #include "amdgpu_atombios.h" #include "nbio_v2_3.h" #include "nbio/nbio_2_3_default.h" #include "nbio/nbio_2_3_offset.h" #include "nbio/nbio_2_3_sh_mask.h" #include <uapi/linux/kfd_ioctl.h> #include <linux/device.h> #include <linux/pci.h> #define smnPCIE_CONFIG_CNTL 0x11180044 #define smnCPM_CONTROL 0x11180460 #define smnPCIE_CNTL2 0x11180070 #define smnPCIE_LC_CNTL 0x11140280 #define smnPCIE_LC_CNTL3 0x111402d4 #define smnPCIE_LC_CNTL6 0x111402ec #define smnPCIE_LC_CNTL7 0x111402f0 #define smnBIF_CFG_DEV0_EPF0_DEVICE_CNTL2 0x1014008c #define smnRCC_EP_DEV0_0_EP_PCIE_TX_LTR_CNTL 0x10123538 #define smnBIF_CFG_DEV0_EPF0_PCIE_LTR_CAP 0x10140324 #define smnPSWUSP0_PCIE_LC_CNTL2 0x111402c4 #define smnNBIF_MGCG_CTRL_LCLK 0x1013a21c #define mmBIF_SDMA2_DOORBELL_RANGE 0x01d6 #define mmBIF_SDMA2_DOORBELL_RANGE_BASE_IDX 2 #define mmBIF_SDMA3_DOORBELL_RANGE 0x01d7 #define mmBIF_SDMA3_DOORBELL_RANGE_BASE_IDX 2 #define mmBIF_MMSCH1_DOORBELL_RANGE 0x01d8 #define mmBIF_MMSCH1_DOORBELL_RANGE_BASE_IDX 2 #define smnPCIE_LC_LINK_WIDTH_CNTL 0x11140288 #define GPU_HDP_FLUSH_DONE__RSVD_ENG0_MASK 0x00001000L /* Don't use. Firmware uses this bit internally */ #define GPU_HDP_FLUSH_DONE__RSVD_ENG1_MASK 0x00002000L #define GPU_HDP_FLUSH_DONE__RSVD_ENG2_MASK 0x00004000L #define GPU_HDP_FLUSH_DONE__RSVD_ENG3_MASK 0x00008000L #define GPU_HDP_FLUSH_DONE__RSVD_ENG4_MASK 0x00010000L #define GPU_HDP_FLUSH_DONE__RSVD_ENG5_MASK 0x00020000L #define GPU_HDP_FLUSH_DONE__RSVD_ENG6_MASK 0x00040000L #define GPU_HDP_FLUSH_DONE__RSVD_ENG7_MASK 0x00080000L #define GPU_HDP_FLUSH_DONE__RSVD_ENG8_MASK 0x00100000L static void nbio_v2_3_remap_hdp_registers(struct amdgpu_device *adev) { WREG32_SOC15(NBIO, 0, mmREMAP_HDP_MEM_FLUSH_CNTL, adev->rmmio_remap.reg_offset + KFD_MMIO_REMAP_HDP_MEM_FLUSH_CNTL); WREG32_SOC15(NBIO, 0, mmREMAP_HDP_REG_FLUSH_CNTL, adev->rmmio_remap.reg_offset + KFD_MMIO_REMAP_HDP_REG_FLUSH_CNTL); } static u32 nbio_v2_3_get_rev_id(struct amdgpu_device *adev) { u32 tmp; /* * guest vm gets 0xffffffff when reading RCC_DEV0_EPF0_STRAP0, * therefore we force rev_id to 0 (which is the default value) */ if (amdgpu_sriov_vf(adev)) { return 0; } tmp = RREG32_SOC15(NBIO, 0, mmRCC_DEV0_EPF0_STRAP0); tmp &= RCC_DEV0_EPF0_STRAP0__STRAP_ATI_REV_ID_DEV0_F0_MASK; tmp >>= RCC_DEV0_EPF0_STRAP0__STRAP_ATI_REV_ID_DEV0_F0__SHIFT; return tmp; } static void nbio_v2_3_mc_access_enable(struct amdgpu_device *adev, bool enable) { if (enable) WREG32_SOC15(NBIO, 0, mmBIF_FB_EN, BIF_FB_EN__FB_READ_EN_MASK | BIF_FB_EN__FB_WRITE_EN_MASK); else WREG32_SOC15(NBIO, 0, mmBIF_FB_EN, 0); } static u32 nbio_v2_3_get_memsize(struct amdgpu_device *adev) { return RREG32_SOC15(NBIO, 0, mmRCC_DEV0_EPF0_RCC_CONFIG_MEMSIZE); } static void nbio_v2_3_sdma_doorbell_range(struct amdgpu_device *adev, int instance, bool use_doorbell, int doorbell_index, int doorbell_size) { u32 reg = instance == 0 ? SOC15_REG_OFFSET(NBIO, 0, mmBIF_SDMA0_DOORBELL_RANGE) : instance == 1 ? SOC15_REG_OFFSET(NBIO, 0, mmBIF_SDMA1_DOORBELL_RANGE) : instance == 2 ? SOC15_REG_OFFSET(NBIO, 0, mmBIF_SDMA2_DOORBELL_RANGE) : SOC15_REG_OFFSET(NBIO, 0, mmBIF_SDMA3_DOORBELL_RANGE); u32 doorbell_range = RREG32(reg); if (use_doorbell) { doorbell_range = REG_SET_FIELD(doorbell_range, BIF_SDMA0_DOORBELL_RANGE, OFFSET, doorbell_index); doorbell_range = REG_SET_FIELD(doorbell_range, BIF_SDMA0_DOORBELL_RANGE, SIZE, doorbell_size); } else doorbell_range = REG_SET_FIELD(doorbell_range, BIF_SDMA0_DOORBELL_RANGE, SIZE, 0); WREG32(reg, doorbell_range); } static void nbio_v2_3_vcn_doorbell_range(struct amdgpu_device *adev, bool use_doorbell, int doorbell_index, int instance) { u32 reg = instance ? SOC15_REG_OFFSET(NBIO, 0, mmBIF_MMSCH1_DOORBELL_RANGE) : SOC15_REG_OFFSET(NBIO, 0, mmBIF_MMSCH0_DOORBELL_RANGE); u32 doorbell_range = RREG32(reg); if (use_doorbell) { doorbell_range = REG_SET_FIELD(doorbell_range, BIF_MMSCH0_DOORBELL_RANGE, OFFSET, doorbell_index); doorbell_range = REG_SET_FIELD(doorbell_range, BIF_MMSCH0_DOORBELL_RANGE, SIZE, 8); } else doorbell_range = REG_SET_FIELD(doorbell_range, BIF_MMSCH0_DOORBELL_RANGE, SIZE, 0); WREG32(reg, doorbell_range); } static void nbio_v2_3_enable_doorbell_aperture(struct amdgpu_device *adev, bool enable) { WREG32_FIELD15(NBIO, 0, RCC_DEV0_EPF0_RCC_DOORBELL_APER_EN, BIF_DOORBELL_APER_EN, enable ? 1 : 0); } static void nbio_v2_3_enable_doorbell_selfring_aperture(struct amdgpu_device *adev, bool enable) { u32 tmp = 0; if (enable) { tmp = REG_SET_FIELD(tmp, BIF_BX_PF_DOORBELL_SELFRING_GPA_APER_CNTL, DOORBELL_SELFRING_GPA_APER_EN, 1) | REG_SET_FIELD(tmp, BIF_BX_PF_DOORBELL_SELFRING_GPA_APER_CNTL, DOORBELL_SELFRING_GPA_APER_MODE, 1) | REG_SET_FIELD(tmp, BIF_BX_PF_DOORBELL_SELFRING_GPA_APER_CNTL, DOORBELL_SELFRING_GPA_APER_SIZE, 0); WREG32_SOC15(NBIO, 0, mmBIF_BX_PF_DOORBELL_SELFRING_GPA_APER_BASE_LOW, lower_32_bits(adev->doorbell.base)); WREG32_SOC15(NBIO, 0, mmBIF_BX_PF_DOORBELL_SELFRING_GPA_APER_BASE_HIGH, upper_32_bits(adev->doorbell.base)); } WREG32_SOC15(NBIO, 0, mmBIF_BX_PF_DOORBELL_SELFRING_GPA_APER_CNTL, tmp); } static void nbio_v2_3_ih_doorbell_range(struct amdgpu_device *adev, bool use_doorbell, int doorbell_index) { u32 ih_doorbell_range = RREG32_SOC15(NBIO, 0, mmBIF_IH_DOORBELL_RANGE); if (use_doorbell) { ih_doorbell_range = REG_SET_FIELD(ih_doorbell_range, BIF_IH_DOORBELL_RANGE, OFFSET, doorbell_index); ih_doorbell_range = REG_SET_FIELD(ih_doorbell_range, BIF_IH_DOORBELL_RANGE, SIZE, 2); } else ih_doorbell_range = REG_SET_FIELD(ih_doorbell_range, BIF_IH_DOORBELL_RANGE, SIZE, 0); WREG32_SOC15(NBIO, 0, mmBIF_IH_DOORBELL_RANGE, ih_doorbell_range); } static void nbio_v2_3_ih_control(struct amdgpu_device *adev) { u32 interrupt_cntl; /* setup interrupt control */ WREG32_SOC15(NBIO, 0, mmINTERRUPT_CNTL2, adev->dummy_page_addr >> 8); interrupt_cntl = RREG32_SOC15(NBIO, 0, mmINTERRUPT_CNTL); /* * INTERRUPT_CNTL__IH_DUMMY_RD_OVERRIDE_MASK=0 - dummy read disabled with msi, enabled without msi * INTERRUPT_CNTL__IH_DUMMY_RD_OVERRIDE_MASK=1 - dummy read controlled by IH_DUMMY_RD_EN */ interrupt_cntl = REG_SET_FIELD(interrupt_cntl, INTERRUPT_CNTL, IH_DUMMY_RD_OVERRIDE, 0); /* INTERRUPT_CNTL__IH_REQ_NONSNOOP_EN_MASK=1 if ring is in non-cacheable memory, e.g., vram */ interrupt_cntl = REG_SET_FIELD(interrupt_cntl, INTERRUPT_CNTL, IH_REQ_NONSNOOP_EN, 0); WREG32_SOC15(NBIO, 0, mmINTERRUPT_CNTL, interrupt_cntl); } static void nbio_v2_3_update_medium_grain_clock_gating(struct amdgpu_device *adev, bool enable) { uint32_t def, data; if (!(adev->cg_flags & AMD_CG_SUPPORT_BIF_MGCG)) return; def = data = RREG32_PCIE(smnCPM_CONTROL); if (enable) { data |= (CPM_CONTROL__LCLK_DYN_GATE_ENABLE_MASK | CPM_CONTROL__TXCLK_DYN_GATE_ENABLE_MASK | CPM_CONTROL__TXCLK_LCNT_GATE_ENABLE_MASK | CPM_CONTROL__TXCLK_REGS_GATE_ENABLE_MASK | CPM_CONTROL__TXCLK_PRBS_GATE_ENABLE_MASK | CPM_CONTROL__REFCLK_REGS_GATE_ENABLE_MASK); } else { data &= ~(CPM_CONTROL__LCLK_DYN_GATE_ENABLE_MASK | CPM_CONTROL__TXCLK_DYN_GATE_ENABLE_MASK | CPM_CONTROL__TXCLK_LCNT_GATE_ENABLE_MASK | CPM_CONTROL__TXCLK_REGS_GATE_ENABLE_MASK | CPM_CONTROL__TXCLK_PRBS_GATE_ENABLE_MASK | CPM_CONTROL__REFCLK_REGS_GATE_ENABLE_MASK); } if (def != data) WREG32_PCIE(smnCPM_CONTROL, data); } static void nbio_v2_3_update_medium_grain_light_sleep(struct amdgpu_device *adev, bool enable) { uint32_t def, data; if (!(adev->cg_flags & AMD_CG_SUPPORT_BIF_LS)) return; def = data = RREG32_PCIE(smnPCIE_CNTL2); if (enable) { data |= (PCIE_CNTL2__SLV_MEM_LS_EN_MASK | PCIE_CNTL2__MST_MEM_LS_EN_MASK | PCIE_CNTL2__REPLAY_MEM_LS_EN_MASK); } else { data &= ~(PCIE_CNTL2__SLV_MEM_LS_EN_MASK | PCIE_CNTL2__MST_MEM_LS_EN_MASK | PCIE_CNTL2__REPLAY_MEM_LS_EN_MASK); } if (def != data) WREG32_PCIE(smnPCIE_CNTL2, data); } static void nbio_v2_3_get_clockgating_state(struct amdgpu_device *adev, u64 *flags) { int data; /* AMD_CG_SUPPORT_BIF_MGCG */ data = RREG32_PCIE(smnCPM_CONTROL); if (data & CPM_CONTROL__LCLK_DYN_GATE_ENABLE_MASK) *flags |= AMD_CG_SUPPORT_BIF_MGCG; /* AMD_CG_SUPPORT_BIF_LS */ data = RREG32_PCIE(smnPCIE_CNTL2); if (data & PCIE_CNTL2__SLV_MEM_LS_EN_MASK) *flags |= AMD_CG_SUPPORT_BIF_LS; } static u32 nbio_v2_3_get_hdp_flush_req_offset(struct amdgpu_device *adev) { return SOC15_REG_OFFSET(NBIO, 0, mmBIF_BX_PF_GPU_HDP_FLUSH_REQ); } static u32 nbio_v2_3_get_hdp_flush_done_offset(struct amdgpu_device *adev) { return SOC15_REG_OFFSET(NBIO, 0, mmBIF_BX_PF_GPU_HDP_FLUSH_DONE); } static u32 nbio_v2_3_get_pcie_index_offset(struct amdgpu_device *adev) { return SOC15_REG_OFFSET(NBIO, 0, mmPCIE_INDEX2); } static u32 nbio_v2_3_get_pcie_data_offset(struct amdgpu_device *adev) { return SOC15_REG_OFFSET(NBIO, 0, mmPCIE_DATA2); } const struct nbio_hdp_flush_reg nbio_v2_3_hdp_flush_reg = { .ref_and_mask_cp0 = BIF_BX_PF_GPU_HDP_FLUSH_DONE__CP0_MASK, .ref_and_mask_cp1 = BIF_BX_PF_GPU_HDP_FLUSH_DONE__CP1_MASK, .ref_and_mask_cp2 = BIF_BX_PF_GPU_HDP_FLUSH_DONE__CP2_MASK, .ref_and_mask_cp3 = BIF_BX_PF_GPU_HDP_FLUSH_DONE__CP3_MASK, .ref_and_mask_cp4 = BIF_BX_PF_GPU_HDP_FLUSH_DONE__CP4_MASK, .ref_and_mask_cp5 = BIF_BX_PF_GPU_HDP_FLUSH_DONE__CP5_MASK, .ref_and_mask_cp6 = BIF_BX_PF_GPU_HDP_FLUSH_DONE__CP6_MASK, .ref_and_mask_cp7 = BIF_BX_PF_GPU_HDP_FLUSH_DONE__CP7_MASK, .ref_and_mask_cp8 = BIF_BX_PF_GPU_HDP_FLUSH_DONE__CP8_MASK, .ref_and_mask_cp9 = BIF_BX_PF_GPU_HDP_FLUSH_DONE__CP9_MASK, .ref_and_mask_sdma0 = BIF_BX_PF_GPU_HDP_FLUSH_DONE__SDMA0_MASK, .ref_and_mask_sdma1 = BIF_BX_PF_GPU_HDP_FLUSH_DONE__SDMA1_MASK, }; static void nbio_v2_3_init_registers(struct amdgpu_device *adev) { uint32_t def, data; def = data = RREG32_PCIE(smnPCIE_CONFIG_CNTL); data = REG_SET_FIELD(data, PCIE_CONFIG_CNTL, CI_SWUS_MAX_READ_REQUEST_SIZE_MODE, 1); data = REG_SET_FIELD(data, PCIE_CONFIG_CNTL, CI_SWUS_MAX_READ_REQUEST_SIZE_PRIV, 1); if (def != data) WREG32_PCIE(smnPCIE_CONFIG_CNTL, data); if (amdgpu_sriov_vf(adev)) adev->rmmio_remap.reg_offset = SOC15_REG_OFFSET(NBIO, 0, mmBIF_BX_DEV0_EPF0_VF0_HDP_MEM_COHERENCY_FLUSH_CNTL) << 2; } #define NAVI10_PCIE__LC_L0S_INACTIVITY_DEFAULT 0x00000000 // off by default, no gains over L1 #define NAVI10_PCIE__LC_L1_INACTIVITY_DEFAULT 0x0000000A // 1=1us, 9=1ms, 10=4ms #define NAVI10_PCIE__LC_L1_INACTIVITY_TBT_DEFAULT 0x0000000E // 400ms static void nbio_v2_3_enable_aspm(struct amdgpu_device *adev, bool enable) { uint32_t def, data; def = data = RREG32_PCIE(smnPCIE_LC_CNTL); if (enable) { /* Disable ASPM L0s/L1 first */ data &= ~(PCIE_LC_CNTL__LC_L0S_INACTIVITY_MASK | PCIE_LC_CNTL__LC_L1_INACTIVITY_MASK); data |= NAVI10_PCIE__LC_L0S_INACTIVITY_DEFAULT << PCIE_LC_CNTL__LC_L0S_INACTIVITY__SHIFT; if (dev_is_removable(&adev->pdev->dev)) data |= NAVI10_PCIE__LC_L1_INACTIVITY_TBT_DEFAULT << PCIE_LC_CNTL__LC_L1_INACTIVITY__SHIFT; else data |= NAVI10_PCIE__LC_L1_INACTIVITY_DEFAULT << PCIE_LC_CNTL__LC_L1_INACTIVITY__SHIFT; data &= ~PCIE_LC_CNTL__LC_PMI_TO_L1_DIS_MASK; } else { /* Disbale ASPM L1 */ data &= ~PCIE_LC_CNTL__LC_L1_INACTIVITY_MASK; /* Disable ASPM TxL0s */ data &= ~PCIE_LC_CNTL__LC_L0S_INACTIVITY_MASK; /* Disable ACPI L1 */ data |= PCIE_LC_CNTL__LC_PMI_TO_L1_DIS_MASK; } if (def != data) WREG32_PCIE(smnPCIE_LC_CNTL, data); } #ifdef CONFIG_PCIEASPM static void nbio_v2_3_program_ltr(struct amdgpu_device *adev) { uint32_t def, data; WREG32_PCIE(smnRCC_EP_DEV0_0_EP_PCIE_TX_LTR_CNTL, 0x75EB); def = data = RREG32_SOC15(NBIO, 0, mmRCC_BIF_STRAP2); data &= ~RCC_BIF_STRAP2__STRAP_LTR_IN_ASPML1_DIS_MASK; if (def != data) WREG32_SOC15(NBIO, 0, mmRCC_BIF_STRAP2, data); def = data = RREG32_PCIE(smnRCC_EP_DEV0_0_EP_PCIE_TX_LTR_CNTL); data &= ~EP_PCIE_TX_LTR_CNTL__LTR_PRIV_MSG_DIS_IN_PM_NON_D0_MASK; if (def != data) WREG32_PCIE(smnRCC_EP_DEV0_0_EP_PCIE_TX_LTR_CNTL, data); def = data = RREG32_PCIE(smnBIF_CFG_DEV0_EPF0_DEVICE_CNTL2); data |= BIF_CFG_DEV0_EPF0_DEVICE_CNTL2__LTR_EN_MASK; if (def != data) WREG32_PCIE(smnBIF_CFG_DEV0_EPF0_DEVICE_CNTL2, data); } #endif static void nbio_v2_3_program_aspm(struct amdgpu_device *adev) { #ifdef CONFIG_PCIEASPM uint32_t def, data; def = data = RREG32_PCIE(smnPCIE_LC_CNTL); data &= ~PCIE_LC_CNTL__LC_L1_INACTIVITY_MASK; data &= ~PCIE_LC_CNTL__LC_L0S_INACTIVITY_MASK; data |= PCIE_LC_CNTL__LC_PMI_TO_L1_DIS_MASK; if (def != data) WREG32_PCIE(smnPCIE_LC_CNTL, data); def = data = RREG32_PCIE(smnPCIE_LC_CNTL7); data |= PCIE_LC_CNTL7__LC_NBIF_ASPM_INPUT_EN_MASK; if (def != data) WREG32_PCIE(smnPCIE_LC_CNTL7, data); def = data = RREG32_PCIE(smnNBIF_MGCG_CTRL_LCLK); data |= NBIF_MGCG_CTRL_LCLK__NBIF_MGCG_REG_DIS_LCLK_MASK; if (def != data) WREG32_PCIE(smnNBIF_MGCG_CTRL_LCLK, data); def = data = RREG32_PCIE(smnPCIE_LC_CNTL3); data |= PCIE_LC_CNTL3__LC_DSC_DONT_ENTER_L23_AFTER_PME_ACK_MASK; if (def != data) WREG32_PCIE(smnPCIE_LC_CNTL3, data); def = data = RREG32_SOC15(NBIO, 0, mmRCC_BIF_STRAP3); data &= ~RCC_BIF_STRAP3__STRAP_VLINK_ASPM_IDLE_TIMER_MASK; data &= ~RCC_BIF_STRAP3__STRAP_VLINK_PM_L1_ENTRY_TIMER_MASK; if (def != data) WREG32_SOC15(NBIO, 0, mmRCC_BIF_STRAP3, data); def = data = RREG32_SOC15(NBIO, 0, mmRCC_BIF_STRAP5); data &= ~RCC_BIF_STRAP5__STRAP_VLINK_LDN_ENTRY_TIMER_MASK; if (def != data) WREG32_SOC15(NBIO, 0, mmRCC_BIF_STRAP5, data); def = data = RREG32_PCIE(smnBIF_CFG_DEV0_EPF0_DEVICE_CNTL2); data &= ~BIF_CFG_DEV0_EPF0_DEVICE_CNTL2__LTR_EN_MASK; if (def != data) WREG32_PCIE(smnBIF_CFG_DEV0_EPF0_DEVICE_CNTL2, data); WREG32_PCIE(smnBIF_CFG_DEV0_EPF0_PCIE_LTR_CAP, 0x10011001); def = data = RREG32_PCIE(smnPSWUSP0_PCIE_LC_CNTL2); data |= PSWUSP0_PCIE_LC_CNTL2__LC_ALLOW_PDWN_IN_L1_MASK | PSWUSP0_PCIE_LC_CNTL2__LC_ALLOW_PDWN_IN_L23_MASK; data &= ~PSWUSP0_PCIE_LC_CNTL2__LC_RCV_L0_TO_RCV_L0S_DIS_MASK; if (def != data) WREG32_PCIE(smnPSWUSP0_PCIE_LC_CNTL2, data); def = data = RREG32_PCIE(smnPCIE_LC_CNTL6); data |= PCIE_LC_CNTL6__LC_L1_POWERDOWN_MASK | PCIE_LC_CNTL6__LC_RX_L0S_STANDBY_EN_MASK; if (def != data) WREG32_PCIE(smnPCIE_LC_CNTL6, data); /* Don't bother about LTR if LTR is not enabled * in the path */ if (adev->pdev->ltr_path) nbio_v2_3_program_ltr(adev); def = data = RREG32_SOC15(NBIO, 0, mmRCC_BIF_STRAP3); data |= 0x5DE0 << RCC_BIF_STRAP3__STRAP_VLINK_ASPM_IDLE_TIMER__SHIFT; data |= 0x0010 << RCC_BIF_STRAP3__STRAP_VLINK_PM_L1_ENTRY_TIMER__SHIFT; if (def != data) WREG32_SOC15(NBIO, 0, mmRCC_BIF_STRAP3, data); def = data = RREG32_SOC15(NBIO, 0, mmRCC_BIF_STRAP5); data |= 0x0010 << RCC_BIF_STRAP5__STRAP_VLINK_LDN_ENTRY_TIMER__SHIFT; if (def != data) WREG32_SOC15(NBIO, 0, mmRCC_BIF_STRAP5, data); def = data = RREG32_PCIE(smnPCIE_LC_CNTL); data |= NAVI10_PCIE__LC_L0S_INACTIVITY_DEFAULT << PCIE_LC_CNTL__LC_L0S_INACTIVITY__SHIFT; if (dev_is_removable(&adev->pdev->dev)) data |= NAVI10_PCIE__LC_L1_INACTIVITY_TBT_DEFAULT << PCIE_LC_CNTL__LC_L1_INACTIVITY__SHIFT; else data |= NAVI10_PCIE__LC_L1_INACTIVITY_DEFAULT << PCIE_LC_CNTL__LC_L1_INACTIVITY__SHIFT; data &= ~PCIE_LC_CNTL__LC_PMI_TO_L1_DIS_MASK; if (def != data) WREG32_PCIE(smnPCIE_LC_CNTL, data); def = data = RREG32_PCIE(smnPCIE_LC_CNTL3); data &= ~PCIE_LC_CNTL3__LC_DSC_DONT_ENTER_L23_AFTER_PME_ACK_MASK; if (def != data) WREG32_PCIE(smnPCIE_LC_CNTL3, data); #endif } static void nbio_v2_3_apply_lc_spc_mode_wa(struct amdgpu_device *adev) { uint32_t reg_data = 0; uint32_t link_width = 0; if (!((adev->asic_type >= CHIP_NAVI10) && (adev->asic_type <= CHIP_NAVI12))) return; reg_data = RREG32_PCIE(smnPCIE_LC_LINK_WIDTH_CNTL); link_width = (reg_data & PCIE_LC_LINK_WIDTH_CNTL__LC_LINK_WIDTH_RD_MASK) >> PCIE_LC_LINK_WIDTH_CNTL__LC_LINK_WIDTH_RD__SHIFT; /* * Program PCIE_LC_CNTL6.LC_SPC_MODE_8GT to 0x2 (4 symbols per clock data) * if link_width is 0x3 (x4) */ if (0x3 == link_width) { reg_data = RREG32_PCIE(smnPCIE_LC_CNTL6); reg_data &= ~PCIE_LC_CNTL6__LC_SPC_MODE_8GT_MASK; reg_data |= (0x2 << PCIE_LC_CNTL6__LC_SPC_MODE_8GT__SHIFT); WREG32_PCIE(smnPCIE_LC_CNTL6, reg_data); } } static void nbio_v2_3_apply_l1_link_width_reconfig_wa(struct amdgpu_device *adev) { uint32_t reg_data = 0; if (adev->asic_type != CHIP_NAVI10) return; reg_data = RREG32_PCIE(smnPCIE_LC_LINK_WIDTH_CNTL); reg_data |= PCIE_LC_LINK_WIDTH_CNTL__LC_L1_RECONFIG_EN_MASK; WREG32_PCIE(smnPCIE_LC_LINK_WIDTH_CNTL, reg_data); } static void nbio_v2_3_clear_doorbell_interrupt(struct amdgpu_device *adev) { uint32_t reg, reg_data; if (adev->ip_versions[NBIO_HWIP][0] != IP_VERSION(3, 3, 0)) return; reg = RREG32_SOC15(NBIO, 0, mmBIF_RB_CNTL); /* Clear Interrupt Status */ if ((reg & BIF_RB_CNTL__RB_ENABLE_MASK) == 0) { reg = RREG32_SOC15(NBIO, 0, mmBIF_DOORBELL_INT_CNTL); if (reg & BIF_DOORBELL_INT_CNTL__DOORBELL_INTERRUPT_STATUS_MASK) { reg_data = 1 << BIF_DOORBELL_INT_CNTL__DOORBELL_INTERRUPT_CLEAR__SHIFT; WREG32_SOC15(NBIO, 0, mmBIF_DOORBELL_INT_CNTL, reg_data); } } } const struct amdgpu_nbio_funcs nbio_v2_3_funcs = { .get_hdp_flush_req_offset = nbio_v2_3_get_hdp_flush_req_offset, .get_hdp_flush_done_offset = nbio_v2_3_get_hdp_flush_done_offset, .get_pcie_index_offset = nbio_v2_3_get_pcie_index_offset, .get_pcie_data_offset = nbio_v2_3_get_pcie_data_offset, .get_rev_id = nbio_v2_3_get_rev_id, .mc_access_enable = nbio_v2_3_mc_access_enable, .get_memsize = nbio_v2_3_get_memsize, .sdma_doorbell_range = nbio_v2_3_sdma_doorbell_range, .vcn_doorbell_range = nbio_v2_3_vcn_doorbell_range, .enable_doorbell_aperture = nbio_v2_3_enable_doorbell_aperture, .enable_doorbell_selfring_aperture = nbio_v2_3_enable_doorbell_selfring_aperture, .ih_doorbell_range = nbio_v2_3_ih_doorbell_range, .update_medium_grain_clock_gating = nbio_v2_3_update_medium_grain_clock_gating, .update_medium_grain_light_sleep = nbio_v2_3_update_medium_grain_light_sleep, .get_clockgating_state = nbio_v2_3_get_clockgating_state, .ih_control = nbio_v2_3_ih_control, .init_registers = nbio_v2_3_init_registers, .remap_hdp_registers = nbio_v2_3_remap_hdp_registers, .enable_aspm = nbio_v2_3_enable_aspm, .program_aspm = nbio_v2_3_program_aspm, .apply_lc_spc_mode_wa = nbio_v2_3_apply_lc_spc_mode_wa, .apply_l1_link_width_reconfig_wa = nbio_v2_3_apply_l1_link_width_reconfig_wa, .clear_doorbell_interrupt = nbio_v2_3_clear_doorbell_interrupt, }; ```
```xml import { defineMessages } from 'react-intl'; export const messages = defineMessages({ votingInstructions: { id: 'voting.registerToVote.votingInstructions', defaultMessage: '!!!If you are not registered yet, make sure to register to vote in the current fund before the snapshot date.', description: 'Voting instructions', }, stepsTitle: { id: 'voting.registerToVote.stepsTitle', defaultMessage: '!!!Follow these steps to vote:', description: 'Steps to follow title', }, step1CheckBoxLabel: { id: 'voting.registerToVote.step1CheckBoxLabel', defaultMessage: '!!!Download the Catalyst Voting app on your smartphone', description: 'First step to follow in order to vote', }, step2CheckBoxLabel: { id: 'voting.registerToVote.step2CheckBoxLabel', defaultMessage: '!!!Ensure that you register and hold the necessary 500 ADA at the time of the snapshot.', description: 'Second step to follow in order to vote', }, buttonLabel: { id: 'voting.registerToVote.registerToVoteButtonLabel', defaultMessage: '!!!Register to vote', description: 'Button Label for voting registration steps', }, }); ```
```python ''' ''' # -*- coding:utf-8 -*- class Solution: # [a,b] ab def FindNumsAppearOnce(self, array): if array == None or len(array) <= 0: return [] resultExclusiveOr = 0 for i in array: resultExclusiveOr ^= i indexOf1 = self.FindFirstBitIs1(resultExclusiveOr) num1, num2 = 0 for j in range(len(array)): if self.IsBit1(array[j], indexOf1): num1 ^= array[j] else: num2 ^= array[j] return [num1, num2] def FindFirstBitIs1(self, num): indexBit = 0 while num & 1 == 0 and indexBit <= 32: indexBit += 1 num = num >> 1 return indexBit def IsBit1(self, num, indexBit): num = num >> indexBit return num & 1 class Solution2: # [a,b] ab def FindNumsAppearOnce(self, array): if array == None or len(array) <= 0: return [] resultExOr = self.ExOr(array) i = 0 while resultExOr and i <= 32: i += 1 resultExOr = resultExOr>>1 num1, num2 = [], [] for num in array: if self.bitIs1(num, i): num1.append(num) else: num2.append(num) first = self.ExOr(num1) second = self.ExOr(num2) return [first, second] def ExOr(self, aList): ExOrNum = 0 for i in aList: ExOrNum = ExOrNum ^ i return ExOrNum def bitIs1(self, n, i): n = n >> (i-1) return n & 1 aList = [2, 4, 3, 6, 3, 2, 5, 5] s = Solution() print(s.FindNumsAppearOnce(aList)) ```
Ronald Earl Gassert (July 22, 1940 – October 8, 2022) was an American football defensive tackle in the National Football League (NFL) for the Green Bay Packers. Biography Gassert graduated in 1957 from Rancocas Valley Regional High School in Mount Holly, New Jersey. He played college football at the University of Virginia, where he was a defensive end. Gassert was drafted by the Packers in the fourth round (56th overall) of the 1962 NFL Draft. He was also drafted by the Buffalo Bills in the 13th round (99th overall) of the 1962 American Football League Draft. Ron was a member of the 1962 NFL Championship Green Bay Packers. In 1966, Gassert finished his career with the Philadelphia Bulldogs of the Continental Football League, helping to lead the team to the 1966 CFL Championship. Gassert penned a fictional western novel titled Driven. After working for thirty years as a banker, Gassert and his wife began a business building furniture that they sold at craft shows. A resident of Medford, New Jersey, Gassert served on the board of education of the Lenape Regional High School District. Death Gassert died on October 8, 2022, at the age of eighty-two. References 1940 births 2022 deaths People from Medford, New Jersey People from Lebanon County, Pennsylvania Players of American football from Burlington County, New Jersey Players of American football from Pennsylvania American football defensive tackles Rancocas Valley Regional High School alumni Virginia Cavaliers football players Green Bay Packers players
```xml /* eslint-disable react/jsx-key, react-native/no-inline-styles */ import React from "react" import { EmptyState } from "../../../components" import { colors } from "../../../theme" import { DemoDivider } from "../DemoDivider" import { Demo } from "../DemoShowroomScreen" import { DemoUseCase } from "../DemoUseCase" export const DemoEmptyState: Demo = { name: "EmptyState", description: "demoEmptyState.description", data: [ <DemoUseCase name="demoEmptyState.useCase.presets.name" description="demoEmptyState.useCase.presets.description" > <EmptyState preset="generic" /> </DemoUseCase>, <DemoUseCase name="demoEmptyState.useCase.passingContent.name" description="demoEmptyState.useCase.passingContent.description" > <EmptyState imageSource={require("../../../../assets/images/logo.png")} headingTx="demoEmptyState.useCase.passingContent.customizeImageHeading" contentTx="demoEmptyState.useCase.passingContent.customizeImageContent" /> <DemoDivider size={30} line /> <EmptyState headingTx="demoEmptyState.useCase.passingContent.viaHeadingProp" contentTx="demoEmptyState.useCase.passingContent.viaContentProp" buttonTx="demoEmptyState.useCase.passingContent.viaButtonProp" /> <DemoDivider size={30} line /> <EmptyState headingTx="demoShowroomScreen.demoViaSpecifiedTxProp" headingTxOptions={{ prop: "heading" }} contentTx="demoShowroomScreen.demoViaSpecifiedTxProp" contentTxOptions={{ prop: "content" }} buttonTx="demoShowroomScreen.demoViaSpecifiedTxProp" buttonTxOptions={{ prop: "button" }} /> </DemoUseCase>, <DemoUseCase name="demoEmptyState.useCase.styling.name" description="demoEmptyState.useCase.styling.description" > <EmptyState preset="generic" style={{ backgroundColor: colors.error, paddingVertical: 20 }} imageStyle={{ height: 75, tintColor: colors.palette.neutral100 }} ImageProps={{ resizeMode: "contain" }} headingStyle={{ color: colors.palette.neutral100, textDecorationLine: "underline", textDecorationColor: colors.palette.neutral100, }} contentStyle={{ color: colors.palette.neutral100, textDecorationLine: "underline", textDecorationColor: colors.palette.neutral100, }} buttonStyle={{ alignSelf: "center", backgroundColor: colors.palette.neutral100, }} buttonTextStyle={{ color: colors.error }} ButtonProps={{ preset: "reversed", }} /> </DemoUseCase>, ], } // @demo remove-file ```
Wilson Mountain Reservation is a state-owned, public recreation area and protected woodland park in Dedham, Massachusetts, managed by the Massachusetts Department of Conservation and Recreation. It features hiking trails, open space and a summit view of the Boston skyline, and is an important wildlife preserve. At , it is the largest remaining open space in Dedham. The reservation is part of the Metropolitan Park System of Greater Boston. In 2008, an agreement was reached between DCR and The Trustees of Reservations to "work jointly to increase stewardship of the property". However, the 2017 DCR Resource Management Plan for Wilson Mountain called for DCR and The Trustees "to clarify status of the 2008 Memorandum of Agreement and, if appropriate, develop a work plan for future stewardship activities." Gallery References External links Wilson Mountain Reservation Department of Conservation and Recreation Blue Hills Complex Resource Management Plan: Section 4. Wilson Mountain Reservation Department of Conservation and Recreation (view entire document: https://www.mass.gov/service-details/blue-hills-complex) Wilson Mountain Reservation Map Department of Conservation and Recreation (note: map is oriented with south at top) Parks in Dedham, Massachusetts State parks of Massachusetts Parks in Norfolk County, Massachusetts Open space reserves of Massachusetts Landforms of Norfolk County, Massachusetts 1994 establishments in Massachusetts Protected areas established in 1994
The individual eventing competition was one of six equestrian events on the Equestrian at the 1992 Summer Olympics programme. Dressage and endurance portions of the competition were held at the Club Hípic El Montanyà, the stadium jumping stage was held at Real Club de Polo de Barcelona. The competition was split into three phases: Dressage (28 July) Riders performed the dressage test. Endurance (29 July) Riders tackled roads and tracks, steeplechase and cross-country portions. Jumping (30 July) Riders jumped at the show jumping course. Results References Individual eventing
"Lessons in Love" is a song written by Sy Soloway and Shirley Wolfe and was first recorded by American teenage singer Jeri Lynne Fraser and released as a single in May 1961. The song has had chart success with covers by Cliff Richard and the Shadows and the Allisons. The Allisons version Despite Cliff Richard and the Shadows recording their version first and releasing it first on the soundtrack album The Young Ones, it was British duo the Allisons who released their version first as a single in January 1962. It was arranged by and features an accompaniment directed by Johnny Keating. Speaking about the single before its release, John Allison said, "This is a different kind of number for us. It has more of a beat and is more the kind of thing we really like doing. It is the type of number that comes naturally to us and I feel confident that it will give us a big chance of hitting a high spot in the charts". However, despite being released it January, it didn't enter the UK Singles Chart until the second week of February, peaking at number 30 four weeks later and becoming the Allisons' final hit. Reviewing for Disc, Don Nicholl described "Lessons in Love" as "a good light beater of the type they can handle cleverly" and that it was "catchy and crisp". The B-side "Oh, My Love", written by Allison, was described as having "a rather more edgy noise" and a "simple song, but produced it an infection manner that can only help the upper half". Cliff Richard and the Shadows version Release Cliff Richard and the Shadows first released their version of "Lessons in Love" in December 1961 on The Young Ones. It was the second song originally by Jeri Lynne Fraser that the group had recorded; the first being "Catch Me" in 1960. "Lessons in Love" was only released as a single in Europe and South Africa. First, it was released in May 1962 in Denmark and Germany, before being released in Norway and South Africa and then finally the Netherlands in September 1962. The European single was released with the B-side "First Lesson in Love", written by Pete Chester and Bruce Welch, and originally from Richard third studio album Listen to Cliff!. The South African release features the B-side "How Wonderful to Know", an English version of "Anema e Core" and had first been released on Richard's fourth studio album 21 Today. Track listing 7" (Europe) "Lessons in Love" – 2:49 "First Lesson in Love" – 1:56 7" (South Africa) "Lessons in Love" – 2:49 "How Wonderful to Know" – 2:40 Personnel Cliff Richard – vocals Hank Marvin – lead guitar Bruce Welch – rhythm guitar Jet Harris – bass guitar Tony Meehan – drums Charts References 1961 singles 1962 singles Cliff Richard songs Fontana Records singles Columbia Graphophone Company singles Song recordings produced by Norrie Paramor 1961 songs
Friendly Persuasion is a made-for-TV movie. The film is based on the novels The Friendly Persuasion and Except for Me and Thee by Jessamyn West; the former novel was previously adapted in 1956. It originally aired on ABC on May 18, 1975. This version is different from the 1956 version because it focuses mainly on West's sequel novel, Except for Me and Thee. It was going to be a TV series with this being the pilot. Friendly Persuasion did not gain as big of an audience as ABC had hoped. This film is not available on VHS or LaserDisc, and there are no plans of a DVD release. Plot summary In Civil War era America, a Quaker family, Jess and Eliza Birdwell, helps slaves who have run away, knowing that they could die. Cast Source:Hollywood.com; BFI Richard Kiley as Jess Birdwell Shirley Knight as Eliza Birdwell Clifton James as Sam Jordan Michael O'Keefe as Josh Birdwell Kevin O'Keefe as Labe Tracie Savage as Mattie Sparky Marcus as Little Jess Paul Benjamin as Swan Stebeney Erik Holland as Enoch Maria Grimm as Lily Truscott Bob Minor as Burk Gus Peters Twila Pollard as Farmer's Wife Walter Scott References External links American television films Films about religion 1975 television films 1975 films Films directed by Joseph Sargent Films based on multiple works
```smalltalk using Microsoft.Extensions.Logging; namespace Microsoft.CodeAnalysis.Tools.Utilities { internal static class DotNetHelper { public static async Task<int> PerformRestoreAsync(string workspaceFilePath, ILogger logger) { var processInfo = ProcessRunner.CreateProcess("dotnet", $"restore \"{workspaceFilePath}\"", captureOutput: true, displayWindow: false); var restoreResult = await processInfo.Result; logger.LogDebug(string.Join(Environment.NewLine, restoreResult.OutputLines)); return restoreResult.ExitCode; } } } ```
Tenants of the House is a 2019 Nollywood film written by Tunde Babalola, produced by Dr. Wale Okediran and directed by Kunle Afolayan under the sponsorship of Ford Foundation, Premero Consulting Ltd, Bank of Industry, and National Livestock Transformation Plan. The movie was based on Wale Okediran fictional novel written in 2009 and it mostly focused on political conspiracies, girl child education and betrayals. The film stars Yakubu Mohammed, Joselyn Dumas, Dele Odule, Saeed Funkymallam, Chris Iheuwa, Umar Gombe. Plot The movie is about lower chamber of the national assembly following the script of the novel written by the producer. It is all about a politician (Kunle Afolayan) who stands to settle the feud between the Hausa and Fulani in the Green chamber by passing a bill. Synopsis The movie revolves around a selfless congressman who wants to use his position to settle the ancient conflict between the Fulani herdsmen and Hausa farmers. He singlehandedly sponsored a bill that will eradicate the vendetta but he had to face different issues from corrupt congressmen who do not care about the conflict. Premiere The movie was premiered on 25 June 2021 in Abuja at the Sheraton hotel and it was also screened nationwide. Cast Kunle Afolayan as politician Ahmed Abdulrasheed as Assassin Jadesola Abolanle as housemaid Idris Abubakar as young Samuel Adam Adeniyi as caterer Adeniran Adeyemi as Arese's Driver Sanni O. Amina as Hon. Four Olusesan Atolagbe as Hon. Three Ganiu Baba as Alhaji Megida Dasu Babalola as Pot belly Man Issa Bello as Batejo's Father Adeniyi Dare as Henchman Joselyn Dumas as Hon. Elizabeth Kent Edunjobi as party band leader References English-language Nigerian films 2019 films Nigerian drama films
```objective-c /* alert_box.h * Routines to put up various "standard" alert boxes used in multiple * places * * Wireshark - Network traffic analyzer * By Gerald Combs <gerald@wireshark.org> * * This program is free software; you can redistribute it and/or * as published by the Free Software Foundation; either version 2 * * This program is distributed in the hope that it will be useful, * but WITHOUT ANY WARRANTY; without even the implied warranty of * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the * * along with this program; if not, write to the Free Software * Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA. */ #ifndef __ALERT_BOX_H__ #define __ALERT_BOX_H__ #ifdef __cplusplus extern "C" { #endif /* __cplusplus */ /* * Alert box for general errors. */ extern void failure_alert_box(const char *msg_format, ...) G_GNUC_PRINTF(1, 2); extern void vfailure_alert_box(const char *msg_format, va_list ap); /* * Alert box for a failed attempt to open or create a file. * "err" is assumed to be a UNIX-style errno; "for_writing" is TRUE if * the file is being opened for writing and FALSE if it's being opened * for reading. */ extern void open_failure_alert_box(const char *filename, int err, gboolean for_writing); /* * Alert box for a failed attempt to read a file. * "err" is assumed to be a UNIX-style errno. */ extern void read_failure_alert_box(const char *filename, int err); /* * Alert box for a failed attempt to write to a file. * "err" is assumed to be a UNIX-style errno. */ extern void write_failure_alert_box(const char *filename, int err); #ifdef __cplusplus } #endif /* __cplusplus */ #endif /* __ALERT_BOX_H__ */ /* * Editor modelines * * Local Variables: * c-basic-offset: 4 * tab-width: 8 * indent-tabs-mode: nil * End: * * ex: set shiftwidth=4 tabstop=8 expandtab: * :indentSize=4:tabSize=8:noTabs=true: */ ```
```java * * path_to_url * * Unless required by applicable law or agreed to in writing, software * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. */ package org.flowable.cdi.impl; import java.util.ArrayList; import java.util.Collections; import java.util.Comparator; import java.util.Iterator; import java.util.List; import java.util.ServiceLoader; import jakarta.enterprise.event.Observes; import jakarta.enterprise.inject.spi.AfterBeanDiscovery; import jakarta.enterprise.inject.spi.AfterDeploymentValidation; import jakarta.enterprise.inject.spi.BeanManager; import jakarta.enterprise.inject.spi.BeforeBeanDiscovery; import jakarta.enterprise.inject.spi.BeforeShutdown; import jakarta.enterprise.inject.spi.Extension; import org.flowable.cdi.annotation.BusinessProcessScoped; import org.flowable.cdi.impl.context.BusinessProcessContext; import org.flowable.cdi.impl.util.BeanManagerLookup; import org.flowable.cdi.impl.util.FlowableServices; import org.flowable.cdi.impl.util.ProgrammaticBeanLookup; import org.flowable.cdi.spi.ProcessEngineLookup; import org.flowable.common.engine.api.FlowableException; import org.flowable.engine.ProcessEngine; import org.slf4j.Logger; import org.slf4j.LoggerFactory; /** * CDI-Extension registering a custom context for {@link BusinessProcessScoped} beans. * <p> * Also starts / stops the {@link ProcessEngine} and deploys all processes listed in the 'processes.xml'-file. * * @author Daniel Meyer */ public class FlowableExtension implements Extension { private static final Logger LOGGER = LoggerFactory.getLogger(FlowableExtension.class); private ProcessEngineLookup processEngineLookup; public void beforeBeanDiscovery(@Observes final BeforeBeanDiscovery event) { event.addScope(BusinessProcessScoped.class, true, true); } public void afterBeanDiscovery(@Observes AfterBeanDiscovery event, BeanManager manager) { BeanManagerLookup.localInstance = manager; event.addContext(new BusinessProcessContext(manager)); } public void afterDeploymentValidation(@Observes AfterDeploymentValidation event, BeanManager beanManager) { try { LOGGER.info("Initializing flowable-cdi."); // initialize the process engine ProcessEngine processEngine = lookupProcessEngine(beanManager); // deploy the processes if engine was set up correctly deployProcesses(processEngine); } catch (Exception e) { // interpret engine initialization problems as definition errors event.addDeploymentProblem(e); } } protected ProcessEngine lookupProcessEngine(BeanManager beanManager) { ServiceLoader<ProcessEngineLookup> processEngineServiceLoader = ServiceLoader.load(ProcessEngineLookup.class); Iterator<ProcessEngineLookup> serviceIterator = processEngineServiceLoader.iterator(); List<ProcessEngineLookup> discoveredLookups = new ArrayList<>(); while (serviceIterator.hasNext()) { ProcessEngineLookup serviceInstance = serviceIterator.next(); discoveredLookups.add(serviceInstance); } Collections.sort(discoveredLookups, new Comparator<ProcessEngineLookup>() { @Override public int compare(ProcessEngineLookup o1, ProcessEngineLookup o2) { return (-1) * ((Integer) o1.getPrecedence()).compareTo(o2.getPrecedence()); } }); ProcessEngine processEngine = null; for (ProcessEngineLookup processEngineLookup : discoveredLookups) { processEngine = processEngineLookup.getProcessEngine(); if (processEngine != null) { this.processEngineLookup = processEngineLookup; LOGGER.debug("ProcessEngineLookup service {} returned process engine.", processEngineLookup.getClass()); break; } else { LOGGER.debug("ProcessEngineLookup service {} returned 'null' value.", processEngineLookup.getClass()); } } if (processEngineLookup == null) { throw new FlowableException("Could not find an implementation of the org.flowable.cdi.spi.ProcessEngineLookup service " + "returning a non-null processEngine. Giving up."); } FlowableServices services = ProgrammaticBeanLookup.lookup(FlowableServices.class, beanManager); services.setProcessEngine(processEngine); return processEngine; } private void deployProcesses(ProcessEngine processEngine) { new ProcessDeployer(processEngine).deployProcesses(); } public void beforeShutdown(@Observes BeforeShutdown event) { if (processEngineLookup != null) { processEngineLookup.ungetProcessEngine(); processEngineLookup = null; } LOGGER.info("Shutting down flowable-cdi"); } } ```
Elections to Bury Council were held on 7 May 1998. One third of the council was up for election and the Labour Party kept overall control of the council. Overall turnout was 26.85%. After the election, the composition of the council was: Labour 39 Conservative 6 Liberal Democrat 3 Election result Ward results References 1998 English local elections 1998 1990s in Greater Manchester
```c++ /* Boost.MultiIndex example of use of rearrange facilities. * * (See accompanying file LICENSE_1_0.txt or copy at * path_to_url * * See path_to_url for library home page. */ #if !defined(NDEBUG) #define BOOST_MULTI_INDEX_ENABLE_INVARIANT_CHECKING #define BOOST_MULTI_INDEX_ENABLE_SAFE_MODE #endif #include <boost/config.hpp> #include <boost/detail/iterator.hpp> #include <boost/multi_index_container.hpp> #include <boost/multi_index/random_access_index.hpp> #include <boost/random/binomial_distribution.hpp> #include <boost/random/uniform_real.hpp> #include <boost/random/mersenne_twister.hpp> #include <algorithm> #include <iostream> #include <iterator> #include <vector> #if !defined(BOOST_NO_CXX11_HDR_RANDOM) #include <random> #endif using boost::multi_index_container; using namespace boost::multi_index; /* We model a card deck with a random access array containing * card numbers (from 0 to 51), supplemented with an additional * index which retains the start ordering. */ class deck { BOOST_STATIC_CONSTANT(std::size_t,num_cards=52); typedef multi_index_container< int, indexed_by< random_access<>, /* base index */ random_access<> /* "start" index */ > > container_type; container_type cont; public: deck() { cont.reserve(num_cards); get<1>(cont).reserve(num_cards); for(std::size_t i=0;i<num_cards;++i)cont.push_back(i); } typedef container_type::iterator iterator; typedef container_type::size_type size_type; iterator begin()const{return cont.begin();} iterator end()const{return cont.end();} size_type size()const{return cont.size();} template<typename InputIterator> void rearrange(InputIterator it) { cont.rearrange(it); } void reset() { /* simply rearrange the base index like the start index */ cont.rearrange(get<1>(cont).begin()); } std::size_t position(int i)const { /* The position of a card in the deck is calculated by locating * the card through the start index (which is ordered), projecting * to the base index and diffing with the begin position. * Resulting complexity: constant. */ return project<0>(cont,get<1>(cont).begin()+i)-cont.begin(); } std::size_t rising_sequences()const { /* Iterate through all cards and increment the sequence count * when the current position is left to the previous. * Resulting complexity: O(n), n=num_cards. */ std::size_t s=1; std::size_t last_pos=0; for(std::size_t i=0;i<num_cards;++i){ std::size_t pos=position(i); if(pos<last_pos)++s; last_pos=pos; } return s; } }; /* A vector of reference_wrappers to deck elements can be used * as a view to the deck container. * We use a special implicit_reference_wrapper having implicit * ctor from its base type, as this simplifies the use of generic * techniques on the resulting data structures. */ template<typename T> class implicit_reference_wrapper:public boost::reference_wrapper<T> { private: typedef boost::reference_wrapper<T> super; public: implicit_reference_wrapper(T& t):super(t){} }; typedef std::vector<implicit_reference_wrapper<const int> > deck_view; /* Riffle shuffle is modeled like this: A cut is selected in the deck * following a binomial distribution. Then, cards are randomly selected * from one packet or the other with probability proportional to * packet size. */ template<typename RandomAccessIterator,typename OutputIterator> void riffle_shuffle( RandomAccessIterator first,RandomAccessIterator last, OutputIterator out) { static boost::mt19937 rnd_gen; typedef typename boost::detail::iterator_traits< RandomAccessIterator>::difference_type difference_type; typedef boost::binomial_distribution< difference_type> rnd_cut_select_type; typedef boost::uniform_real<> rnd_deck_select_type; rnd_cut_select_type cut_select(last-first); RandomAccessIterator middle=first+cut_select(rnd_gen); difference_type s0=middle-first; difference_type s1=last-middle; rnd_deck_select_type deck_select; while(s0!=0&&s1!=0){ if(deck_select(rnd_gen)<(double)s0/(s0+s1)){ *out++=*first++; --s0; } else{ *out++=*middle++; --s1; } } std::copy(first,first+s0,out); std::copy(middle,middle+s1,out); } struct riffle_shuffler { void operator()(deck& d)const { dv.clear(); dv.reserve(d.size()); riffle_shuffle( d.begin(),d.end(),std::back_inserter(dv)); /* do the shuffling */ d.rearrange(dv.begin()); /* apply to the deck */ } private: mutable deck_view dv; }; /* A truly random shuffle (up to stdlib implementation quality) using * std::shuffle. */ struct random_shuffler { void operator()(deck& d) { dv.clear(); dv.reserve(d.size()); std::copy(d.begin(),d.end(),std::back_inserter(dv)); shuffle_view(); d.rearrange(dv.begin()); /* apply to the deck */ } private: deck_view dv; #if !defined(BOOST_NO_CXX11_HDR_RANDOM) std::mt19937 e; void shuffle_view() { std::shuffle(dv.begin(),dv.end(),e); } #else /* for pre-C++11 compilers we use std::random_shuffle */ void shuffle_view() { std::random_shuffle(dv.begin(),dv.end()); } #endif }; /* Repeat a given shuffling algorithm repeats_num times * and obtain the resulting rising sequences number. Average * for tests_num trials. */ template<typename Shuffler> double shuffle_test( unsigned int repeats_num,unsigned int tests_num BOOST_APPEND_EXPLICIT_TEMPLATE_TYPE(Shuffler)) { deck d; Shuffler sh; unsigned long total=0; for(unsigned int n=0;n<tests_num;++n){ for(unsigned m=0;m<repeats_num;++m)sh(d); total+=d.rising_sequences(); d.reset(); } return (double)total/tests_num; } int main() { unsigned rifs_num=0; unsigned tests_num=0; std::cout<<"number of riffle shuffles (vg 5):"; std::cin>>rifs_num; std::cout<<"number of tests (vg 1000):"; std::cin>>tests_num; std::cout<<"shuffling..."<<std::endl; std::cout<<"riffle shuffling\n" " avg number of rising sequences: " <<shuffle_test<riffle_shuffler>(rifs_num,tests_num) <<std::endl; std::cout<<"random shuffling\n" " avg number of rising sequences: " <<shuffle_test<random_shuffler>(1,tests_num) <<std::endl; return 0; } ```
```php <?php /** * FecShop file. * * @link path_to_url * @license path_to_url */ namespace fecshop\app\appserver\modules\Catalog\controllers; use fecshop\app\appserver\modules\AppserverController; use Yii; /** * @author Terry Zhao <2358269014@qq.com> * @since 1.0 */ class CategoryController extends AppserverController { // protected $_category; // protected $_title; // protected $_primaryVal; // protected $_defautOrder; // protected $_defautOrderDirection = SORT_DESC; // where protected $_where; // url protected $_numPerPage = 'numPerPage'; // url protected $_direction = 'dir'; // url protected $_sort = 'sortColumn'; // url protected $_page = 'p'; // url protected $_filterPrice = 'price'; // url protected $_filterPriceAttr = 'price'; // protected $_productCount; protected $_filter_attr; protected $_numPerPageVal; protected $_page_count; protected $category_name; protected $sp = '---'; public function behaviors() { $behaviors = parent::behaviors(); //$primaryKey = Yii::$service->category->getPrimaryKey(); $category_id = Yii::$app->request->get('categoryId'); $cacheName = 'category'; if (Yii::$service->cache->isEnable($cacheName)) { $timeout = Yii::$service->cache->timeout($cacheName); $disableUrlParam = Yii::$service->cache->disableUrlParam($cacheName); $cacheUrlParam = Yii::$service->cache->cacheUrlParam($cacheName); $get_str = ''; $get = Yii::$app->request->get(); // if (isset($get[$disableUrlParam])) { $behaviors[] = [ 'enabled' => false, 'class' => 'yii\filters\PageCache', 'only' => ['index'], ]; return $behaviors; } if (is_array($get) && !empty($get) && is_array($cacheUrlParam)) { foreach ($get as $k=>$v) { if (in_array($k, $cacheUrlParam)) { if ($k != 'p' || $v != 1) { $get_str .= $k.'_'.$v.'_'; } } } } $store = Yii::$service->store->currentStore; $currency = Yii::$service->page->currency->getCurrentCurrency(); $langCode = Yii::$service->store->currentLangCode; $behaviors[] = [ 'enabled' => true, 'class' => 'yii\filters\PageCache', 'only' => ['index'], 'duration' => $timeout, 'variations' => [ $store, $currency, $get_str, $category_id,$langCode ], //'dependency' => [ // 'class' => 'yii\caching\DbDependency', // 'sql' => 'SELECT COUNT(*) FROM post', //], ]; } return $behaviors; } public function init() { parent::init(); $this->getQuerySort(); } protected $_sort_items; public function getQuerySort() { if (!$this->_sort_items) { $category_sorts = Yii::$app->store->get('category_sort'); if (is_array($category_sorts)) { foreach ($category_sorts as $one) { $sort_key = $one['sort_key']; $sort_label = $one['sort_label']; $sort_db_columns = $one['sort_db_columns']; $sort_direction = $one['sort_direction']; $this->_sort_items[$sort_key] = [ 'label' => $sort_label, 'db_columns' => $sort_db_columns, 'direction' => $sort_direction, ]; } } } } public function actionIndex(){ if(Yii::$app->request->getMethod() === 'OPTIONS'){ return []; } // // $this->getNumPerPage(); //echo Yii::$service->page->translate->__('fecshop,{username}', ['username' => 'terry']); if(!$this->initCategory()){ $code = Yii::$service->helper->appserver->category_not_exist; $data = []; $responseData = Yii::$service->helper->appserver->getResponseData($code, $data); return $responseData; } // change current layout File. //Yii::$service->page->theme->layoutFile = 'home.php'; $productCollInfo = $this->getCategoryProductColl(); $products = $productCollInfo['coll']; $this->_productCount = $productCollInfo['count']; $p = Yii::$app->request->get('p'); $p = (int)$p; $query_item = $this->getQueryItem(); $page_count = $this->getProductPageCount(); $this->category_name = Yii::$service->store->getStoreAttrVal($this->_category['name'], 'name'); $code = Yii::$service->helper->appserver->status_success; $data = [ 'name' => $this->category_name , 'name_default_lang' => Yii::$service->fecshoplang->getDefaultLangAttrVal($this->_category['name'], 'name'), 'title' => $this->_title, 'image' => $this->_category['image'] ? Yii::$service->category->image->getUrl($this->_category['image']) : '', 'products' => $products, 'query_item' => $query_item, 'refine_by_info' => $this->getRefineByInfo(), 'filter_info' => $this->getFilterInfo(), 'filter_price' => $this->getFilterPrice(), 'filter_category' => $this->getFilterCategory(), 'page_count' => $page_count, ]; $responseData = Yii::$service->helper->appserver->getResponseData($code, $data); return $responseData; } // public function actionWxindex(){ if(Yii::$app->request->getMethod() === 'OPTIONS'){ return []; } // // $this->getNumPerPage(); //echo Yii::$service->page->translate->__('fecshop,{username}', ['username' => 'terry']); if(!$this->initCategory()){ $code = Yii::$service->helper->appserver->category_not_exist; $data = []; $responseData = Yii::$service->helper->appserver->getResponseData($code, $data); return $responseData; } // change current layout File. //Yii::$service->page->theme->layoutFile = 'home.php'; $productCollInfo = $this->getWxCategoryProductColl(); $products = $productCollInfo['coll']; $this->_productCount = $productCollInfo['count']; $p = Yii::$app->request->get('p'); $p = (int)$p; $query_item = $this->getQueryItem(); $page_count = $this->getProductPageCount(); $this->category_name = Yii::$service->store->getStoreAttrVal($this->_category['name'], 'name'); $code = Yii::$service->helper->appserver->status_success; $data = [ 'name' => $this->category_name , 'name_default_lang' => Yii::$service->fecshoplang->getDefaultLangAttrVal($this->_category['name'], 'name'), 'title' => $this->_title, 'image' => $this->_category['image'] ? Yii::$service->category->image->getUrl($this->_category['image']) : '', 'products' => $products, 'query_item' => $query_item, 'refine_by_info' => $this->getRefineByInfo(), 'filter_info' => $this->getFilterInfo(), 'filter_price' => $this->getFilterPrice(), 'filter_category' => $this->getFilterCategory(), 'page_count' => $page_count, ]; $responseData = Yii::$service->helper->appserver->getResponseData($code, $data); return $responseData; } public function actionProduct() { if(Yii::$app->request->getMethod() === 'OPTIONS'){ return []; } // // $this->getNumPerPage(); if(!$this->initCategory()){ $code = Yii::$service->helper->appserver->category_not_exist; $data = []; $responseData = Yii::$service->helper->appserver->getResponseData($code, $data); return $responseData; } $productCollInfo = $this->getCategoryProductColl(); $products = $productCollInfo['coll']; $code = Yii::$service->helper->appserver->status_success; $data = [ 'products' => $products ]; $responseData = Yii::$service->helper->appserver->getResponseData($code, $data); return $responseData; } /** * */ protected function getFilterCategory() { $arr = []; if (!Yii::$service->category->isEnableFilterSubCategory()) { return $arr; } $category_id = $this->_primaryVal; $parent_id = $this->_category['parent_id']; $filter_category = Yii::$service->category->getFilterCategory($category_id, $parent_id); return $this->getAppServerFilterCategory($filter_category); } protected function getAppServerFilterCategory($filter_category){ if((is_array($filter_category) || is_object($filter_category)) && !empty($filter_category)){ foreach($filter_category as $category_id => $v){ $filter_category[$category_id]['name'] = Yii::$service->store->getStoreAttrVal($v['name'],'name'); if($filter_category[$category_id]['name'] == $this->category_name){ $filter_category[$category_id]['current'] = true; }else{ $filter_category[$category_id]['current'] = false; } $filter_category[$category_id]['url'] = 'catalog/category/'.$category_id; if(isset($v['child'])){ $filter_category[$category_id]['child'] = $this->getAppServerFilterCategory($v['child']); } } } return $filter_category; } /** * toolbar * */ protected function getProductPageCount() { $productNumPerPage = $this->getNumPerPage(); $productCount = $this->_productCount; $pageNum = $this->getPageNum(); return $this->_page_count = ceil($productCount / $productNumPerPage); } /** * toolbar * */ protected function getQueryItem() { //$category_query = Yii::$app->controller->module->params['category_query']; //$numPerPage = $category_query['numPerPage']; $appName = Yii::$service->helper->getAppName(); $numPerPage = Yii::$app->store->get($appName.'_catalog','category_query_numPerPage'); $numPerPage = explode(',', $numPerPage); $sort = $this->_sort_items; $current_sort = Yii::$app->request->get($this->_sort); $frontNumPerPage = []; $frontSort = []; $hasSelect = false; if (is_array($sort) && !empty($sort)) { $attrUrlStr = $this->_sort; $dirUrlStr = $this->_direction; foreach ($sort as $np=>$info) { $label = $info['label']; $direction = $info['direction']; if($current_sort == $np){ $selected = true; $hasSelect = true; }else{ $selected = false; } $label = Yii::$service->page->translate->__($label); $frontSort[] = [ 'label' => $label, 'value' => $np, 'selected' => $selected, ]; } } if (!$hasSelect ){ // $frontSort[0]['selected'] = true; } $data = [ 'frontNumPerPage' => $frontNumPerPage, 'frontSort' => $frontSort, ]; return $data; } /** * @return Array * * 1.catalog module category_filter_attr * 2. filter_product_attr_selected * 3. filter_product_attr_unselected * */ protected function getFilterAttr() { return Yii::$service->category->getFilterAttr($this->_category); } /** * */ protected function getRefineByInfo() { $refineInfo = []; $chosenAttrs = Yii::$app->request->get('filterAttrs'); $chosenAttrArr = json_decode($chosenAttrs,true); if(!empty($chosenAttrArr)){ foreach ($chosenAttrArr as $attr=>$val) { $refine_attr_str = Yii::$service->category->getCustomCategoryFilterAttrItemLabel($attr, $val); if (!$refine_attr_str) { $refine_attr_str = Yii::$service->page->translate->__($val); } $attrLabel = Yii::$service->category->getCustomCategoryFilterAttrLabel($attr); $refineInfo[] = [ 'attr' => $attr, 'val' => $refine_attr_str, 'attrLabel' => $attrLabel, ]; } } $currenctPriceFilter = Yii::$app->request->get('filterPrice'); if($currenctPriceFilter){ $refineInfo[] = [ 'attr' => $this->_filterPrice, 'attrLabel' => $this->_filterPrice, 'val' => $currenctPriceFilter, ]; } if (!empty($refineInfo)) { $arr[] = [ 'attr' => 'clear All', 'attrLabel' =>'clear All', 'val' => Yii::$service->page->translate->__('clear all'), ]; $refineInfo = array_merge($arr, $refineInfo); } return $refineInfo; } /** * */ protected function getFilterInfo() { $chosenAttrs = Yii::$app->request->get('filterAttrs'); return Yii::$service->category->getFilterInfo($this->_category, $this->_where, $chosenAttrs); /* $filter_info = []; $filter_attrs = $this->getFilterAttr(); $chosenAttrs = Yii::$app->request->get('filterAttrs'); $chosenAttrArr = json_decode($chosenAttrs,true); foreach ($filter_attrs as $attr) { if ($attr != 'price') { $label = preg_replace_callback('/([-_]+([a-z]{1}))/i',function($matches){ return ' '.strtoupper($matches[2]); },$attr); $items = Yii::$service->product->getFrontCategoryFilter($attr, $this->_where); if(is_array($items) && !empty($items)){ foreach($items as $k=>$one){ if(isset($chosenAttrArr[$attr]) && $chosenAttrArr[$attr] == $one['_id']){ $items[$k]['selected'] = true; } else { $items[$k]['selected'] = false; } if (isset($items[$k]['_id'])) { $items[$k]['label'] = Yii::$service->page->translate->__($items[$k]['_id']); } } } $label = Yii::$service->page->translate->__($label); $filter_info[$attr] = [ 'label' => $label, 'items' => $items, ]; } } return $filter_info; */ } /** * */ protected function getFilterPrice() { $filter = []; if (!Yii::$service->category->isEnableFilterPrice()) { return $filter; } $symbol = Yii::$service->page->currency->getCurrentSymbol(); $currenctPriceFilter = Yii::$app->request->get('filterPrice'); //$priceInfo = Yii::$app->controller->module->params['category_query']; $appName = Yii::$service->helper->getAppName(); $category_query_priceRange = Yii::$app->store->get($appName.'_catalog','category_query_priceRange'); $category_query_priceRange = explode(',',$category_query_priceRange); if ( !empty($category_query_priceRange) && is_array($category_query_priceRange)) { foreach ($category_query_priceRange as $price_item) { $price_item = trim($price_item); list($b_price,$e_price) = explode('-',$price_item); $b_price = $b_price ? $symbol.$b_price : ''; $e_price = $e_price ? $symbol.$e_price : ''; $label = $b_price.$this->sp.$e_price; if($currenctPriceFilter && ($currenctPriceFilter == $price_item)){ $selected = true; }else{ $selected = false; } $info = [ 'selected' => $selected, 'label' => $label, 'val' => $price_item ]; $filter[$this->_filterPrice][] = $info; } } return $filter; } /** * */ protected function getFormatFilterPrice($price_item) { list($f_price, $l_price) = explode('-', $price_item); $str = ''; if ($f_price == '0' || $f_price) { $f_price = Yii::$service->product->price->formatPrice($f_price); $str .= $f_price['symbol'].$f_price['value'].'---'; } if ($l_price) { $l_price = Yii::$service->product->price->formatPrice($l_price); $str .= $l_price['symbol'].$l_price['value']; } return $str; } /** * */ protected function getOrderBy() { $primaryKey = Yii::$service->category->getPrimaryKey(); $sort = Yii::$app->request->get($this->_sort); $direction = Yii::$app->request->get($this->_direction); //$category_query_config = Yii::$app->controller->module->params['category_query']; $sortConfig = $this->_sort_items; if (is_array($sortConfig)) { //return $category_query_config['numPerPage'][0]; if ($sort && isset($sortConfig[$sort])) { $orderInfo = $sortConfig[$sort]; //var_dump($orderInfo); if (!$direction) { $direction = $orderInfo['direction']; } } else { foreach ($sortConfig as $k => $v) { $orderInfo = $v; if (!$direction) { $direction = $v['direction']; } break; } } $db_columns = $orderInfo['db_columns']; $storageName = Yii::$service->product->serviceStorageName(); if ($direction == 'desc') { $direction = $storageName == 'mongodb' ? -1 : SORT_DESC; } else { $direction = $storageName == 'mongodb' ? 1 :SORT_ASC; } //var_dump([$db_columns => $direction]); //exit; return [$db_columns => $direction]; } } /** * * * * url */ protected function getNumPerPage() { if (!$this->_numPerPageVal) { $numPerPage = Yii::$app->request->get($this->_numPerPage); //$category_query_config = Yii::$app->getModule('catalog')->params['category_query']; $appName = Yii::$service->helper->getAppName(); $categoryConfigNumPerPage = Yii::$app->store->get($appName.'_catalog','category_query_numPerPage'); $category_query_config['numPerPage'] = explode(',',$categoryConfigNumPerPage); if (!$numPerPage) { if (isset($category_query_config['numPerPage'])) { if (is_array($category_query_config['numPerPage'])) { $this->_numPerPageVal = $category_query_config['numPerPage'][0]; } } } elseif (!$this->_numPerPageVal) { if (isset($category_query_config['numPerPage']) && is_array($category_query_config['numPerPage'])) { $numPerPageArr = $category_query_config['numPerPage']; if (in_array((int) $numPerPage, $numPerPageArr)) { $this->_numPerPageVal = $numPerPage; } else { throw new InvalidValueException('Incorrect numPerPage value:'.$numPerPage); } } } } return $this->_numPerPageVal; } /** * */ protected function getPageNum() { $numPerPage = Yii::$app->request->get($this->_page); return $numPerPage ? (int) $numPerPage : 1; } /** * */ protected function getCategoryProductColl() { $productPrimaryKey = Yii::$service->product->getPrimaryKey(); $select = [ 'sku', 'spu', 'name', 'image', 'price', 'special_price', 'special_from', 'special_to', 'url_key', 'score', 'reviw_rate_star_average', 'review_count' ]; if ($productPrimaryKey == 'id') { $select[] = 'id'; } if (is_array($this->_sort_items)) { foreach ($this->_sort_items as $sort_item) { $select[] = $sort_item['db_columns']; } } $filter = [ 'pageNum' => $this->getPageNum(), 'numPerPage' => $this->getNumPerPage(), 'orderBy' => $this->getOrderBy(), 'where' => $this->_where, 'select' => $select, ]; //var_dump($filter); $productList = Yii::$service->category->product->getFrontList($filter); // var_dump($productList ); $i = 1; $product_return = []; $products = $productList['coll']; if(is_array($products) && !empty($products)){ foreach($products as $k=>$v){ $i++; $products[$k]['url'] = '/catalog/product/'.$v['_id']; $products[$k]['image'] = Yii::$service->product->image->getResize($v['image'],296,false); $priceInfo = Yii::$service->product->price->getCurrentCurrencyProductPriceInfo($v['price'], $v['special_price'],$v['special_from'],$v['special_to']); $products[$k]['price'] = isset($priceInfo['price']) ? $priceInfo['price'] : ''; $products[$k]['special_price'] = isset($priceInfo['special_price']) ? $priceInfo['special_price'] : ''; if (isset($products[$k]['special_price']['value'])) { $products[$k]['special_price']['value'] = Yii::$service->helper->format->numberFormat($products[$k]['special_price']['value']); } if (isset($products[$k]['price']['value'])) { $products[$k]['price']['value'] = Yii::$service->helper->format->numberFormat($products[$k]['price']['value']); } if($i%2 === 0){ $arr = $products[$k]; }else{ $product_return[] = [ 'one' => $arr, 'two' => $products[$k], ]; } } if($i%2 === 0){ $product_return[] = [ 'one' => $arr, 'two' => [], ]; } } $productList['coll'] = $product_return; return $productList; } /** * */ protected function getWxCategoryProductColl() { $productPrimaryKey = Yii::$service->product->getPrimaryKey(); $select = [ $productPrimaryKey , 'sku', 'spu', 'name', 'image', 'price', 'special_price', 'special_from', 'special_to', 'url_key', 'score', ]; //$category_query = Yii::$app->getModule('catalog')->params['category_query']; if (is_array($this->_sort_items)) { foreach ($this->_sort_items as $sort_item) { $select[] = $sort_item['db_columns']; } } $filter = [ 'pageNum' => $this->getPageNum(), 'numPerPage' => $this->getNumPerPage(), 'orderBy' => $this->getOrderBy(), 'where' => $this->_where, 'select' => $select, ]; $productList = Yii::$service->category->product->getFrontList($filter); $i = 1; $product_return = []; $products = $productList['coll']; if(is_array($products) && !empty($products)){ foreach($products as $k=>$v){ $priceInfo = Yii::$service->product->price->getCurrentCurrencyProductPriceInfo($v['price'], $v['special_price'],$v['special_from'],$v['special_to']); $price = isset($priceInfo['price']) ? $priceInfo['price'] : ''; $special_price = isset($priceInfo['special_price']) ? $priceInfo['special_price'] : ''; $product_return[] = [ 'name' => $v['name'], 'pic' => Yii::$service->product->image->getResize($v['image'],296,false), 'special_price' => $special_price, 'price' => $price, 'id' => $v['product_id'], ]; } } $productList['coll'] = $product_return; return $productList; } /** * where */ protected function initWhere() { $chosenAttrs = Yii::$app->request->get('filterAttrs'); $chosenAttrArr = json_decode($chosenAttrs,true); //var_dump($chosenAttrArr); if(is_array($chosenAttrArr) && !empty($chosenAttrArr)){ $filterAttr = $this->getFilterAttr(); //var_dump($filterAttr); foreach ($filterAttr as $attr) { if(isset($chosenAttrArr[$attr]) && $chosenAttrArr[$attr]){ $where[$attr] = $chosenAttrArr[$attr]; } } } $filter_price = Yii::$app->request->get('filterPrice'); //echo $filter_price; list($f_price, $l_price) = explode('-', $filter_price); if ($f_price == '0' || $f_price) { $where[$this->_filterPriceAttr]['$gte'] = (float) $f_price; } if ($l_price) { $where[$this->_filterPriceAttr]['$lte'] = (float) $l_price; } $where['category'] = $this->_primaryVal; //var_dump($where); return $where; } /** * * */ protected function initCategory() { //$primaryKey = 'category_id'; $primaryVal = Yii::$app->request->get('categoryId'); $this->_primaryVal = $primaryVal; $category = Yii::$service->category->getByPrimaryKey($primaryVal); if ($category) { $enableStatus = Yii::$service->category->getCategoryEnableStatus(); if ($category['status'] != $enableStatus){ return false; } } else { return false; } $this->_category = $category; $this->_where = $this->initWhere(); return true; } } ```
```c++ #include <DataTypes/DataTypeLowCardinality.h> #include <DataTypes/DataTypeNullable.h> #include <DataTypes/DataTypeString.h> #include <DataTypes/DataTypesNumber.h> #include <Disks/StoragePolicy.h> #include <IO/ReadBufferFromFile.h> #include <IO/ReadHelpers.h> #include <IO/WriteBufferFromFile.h> #include <IO/WriteIntText.h> #include <Interpreters/Context.h> #include <Interpreters/DatabaseCatalog.h> #include <Interpreters/InterpreterInsertQuery.h> #include <Interpreters/evaluateConstantExpression.h> #include <Parsers/ASTCreateQuery.h> #include <Parsers/ASTInsertQuery.h> #include <Processors/Executors/CompletedPipelineExecutor.h> #include <Processors/QueryPlan/QueryPlan.h> #include <Processors/QueryPlan/ReadFromStreamLikeEngine.h> #include <QueryPipeline/Pipe.h> #include <Storages/FileLog/FileLogSource.h> #include <Storages/FileLog/StorageFileLog.h> #include <Storages/SelectQueryInfo.h> #include <Storages/StorageFactory.h> #include <Storages/StorageMaterializedView.h> #include <Storages/checkAndGetLiteralArgument.h> #include <Common/Exception.h> #include <Common/Macros.h> #include <Common/filesystemHelpers.h> #include <Common/getNumberOfPhysicalCPUCores.h> #include <Common/logger_useful.h> #include <sys/stat.h> namespace DB { namespace ErrorCodes { extern const int NUMBER_OF_ARGUMENTS_DOESNT_MATCH; extern const int BAD_ARGUMENTS; extern const int CANNOT_STAT; extern const int BAD_FILE_TYPE; extern const int CANNOT_READ_ALL_DATA; extern const int LOGICAL_ERROR; extern const int TABLE_METADATA_ALREADY_EXISTS; extern const int CANNOT_SELECT; extern const int QUERY_NOT_ALLOWED; } namespace { const auto MAX_THREAD_WORK_DURATION_MS = 60000; } static constexpr auto TMP_SUFFIX = ".tmp"; class ReadFromStorageFileLog final : public ReadFromStreamLikeEngine { public: ReadFromStorageFileLog( const Names & column_names_, StoragePtr storage_, const StorageSnapshotPtr & storage_snapshot_, SelectQueryInfo & query_info, ContextPtr context_) : ReadFromStreamLikeEngine{column_names_, storage_snapshot_, query_info.storage_limits, context_} , column_names{column_names_} , storage{storage_} , storage_snapshot{storage_snapshot_} { } String getName() const override { return "ReadFromStorageFileLog"; } private: Pipe makePipe() final { auto & file_log = storage->as<StorageFileLog &>(); if (file_log.mv_attached) throw Exception(ErrorCodes::QUERY_NOT_ALLOWED, "Cannot read from StorageFileLog with attached materialized views"); std::lock_guard lock(file_log.file_infos_mutex); if (file_log.running_streams) throw Exception(ErrorCodes::CANNOT_SELECT, "Another select query is running on this table, need to wait it finish."); file_log.updateFileInfos(); /// No files to parse if (file_log.file_infos.file_names.empty()) { LOG_WARNING(file_log.log, "There is a idle table named {}, no files need to parse.", getName()); return Pipe{}; } auto modified_context = Context::createCopy(getContext()); auto max_streams_number = std::min<UInt64>(file_log.filelog_settings->max_threads, file_log.file_infos.file_names.size()); /// Each stream responsible for closing it's files and store meta file_log.openFilesAndSetPos(); Pipes pipes; pipes.reserve(max_streams_number); for (size_t stream_number = 0; stream_number < max_streams_number; ++stream_number) { pipes.emplace_back(std::make_shared<FileLogSource>( file_log, storage_snapshot, modified_context, column_names, file_log.getMaxBlockSize(), file_log.getPollTimeoutMillisecond(), stream_number, max_streams_number, file_log.filelog_settings->handle_error_mode)); } return Pipe::unitePipes(std::move(pipes)); } const Names column_names; StoragePtr storage; StorageSnapshotPtr storage_snapshot; }; StorageFileLog::StorageFileLog( const StorageID & table_id_, ContextPtr context_, const ColumnsDescription & columns_, const String & path_, const String & metadata_base_path_, const String & format_name_, std::unique_ptr<FileLogSettings> settings, const String & comment, LoadingStrictnessLevel mode) : IStorage(table_id_) , WithContext(context_->getGlobalContext()) , filelog_settings(std::move(settings)) , path(path_) , metadata_base_path(std::filesystem::path(metadata_base_path_) / "metadata") , format_name(format_name_) , log(getLogger("StorageFileLog (" + table_id_.table_name + ")")) , disk(getContext()->getStoragePolicy("default")->getDisks().at(0)) , milliseconds_to_wait(filelog_settings->poll_directory_watch_events_backoff_init.totalMilliseconds()) { StorageInMemoryMetadata storage_metadata; storage_metadata.setColumns(columns_); storage_metadata.setComment(comment); setInMemoryMetadata(storage_metadata); setVirtuals(createVirtuals(filelog_settings->handle_error_mode)); if (!fileOrSymlinkPathStartsWith(path, getContext()->getUserFilesPath())) { if (LoadingStrictnessLevel::SECONDARY_CREATE <= mode) { LOG_ERROR(log, "The absolute data path should be inside `user_files_path`({})", getContext()->getUserFilesPath()); return; } else throw Exception( ErrorCodes::BAD_ARGUMENTS, "The absolute data path should be inside `user_files_path`({})", getContext()->getUserFilesPath()); } bool created_metadata_directory = false; try { if (mode < LoadingStrictnessLevel::ATTACH) { if (disk->exists(metadata_base_path)) { throw Exception( ErrorCodes::TABLE_METADATA_ALREADY_EXISTS, "Metadata files already exist by path: {}, remove them manually if it is intended", metadata_base_path); } disk->createDirectories(metadata_base_path); created_metadata_directory = true; } loadMetaFiles(LoadingStrictnessLevel::ATTACH <= mode); loadFiles(); assert(file_infos.file_names.size() == file_infos.meta_by_inode.size()); assert(file_infos.file_names.size() == file_infos.context_by_name.size()); if (path_is_directory) directory_watch = std::make_unique<FileLogDirectoryWatcher>(root_data_path, *this, getContext()); auto thread = getContext()->getSchedulePool().createTask(log->name(), [this] { threadFunc(); }); task = std::make_shared<TaskContext>(std::move(thread)); } catch (...) { if (mode <= LoadingStrictnessLevel::ATTACH) { if (created_metadata_directory) disk->removeRecursive(metadata_base_path); throw; } tryLogCurrentException(__PRETTY_FUNCTION__); } } VirtualColumnsDescription StorageFileLog::createVirtuals(StreamingHandleErrorMode handle_error_mode) { VirtualColumnsDescription desc; desc.addEphemeral("_filename", std::make_shared<DataTypeLowCardinality>(std::make_shared<DataTypeString>()), ""); desc.addEphemeral("_offset", std::make_shared<DataTypeUInt64>(), ""); if (handle_error_mode == StreamingHandleErrorMode::STREAM) { desc.addEphemeral("_raw_record", std::make_shared<DataTypeNullable>(std::make_shared<DataTypeString>()), ""); desc.addEphemeral("_error", std::make_shared<DataTypeNullable>(std::make_shared<DataTypeString>()), ""); } return desc; } void StorageFileLog::loadMetaFiles(bool attach) { /// Attach table if (attach) { /// Meta file may lost, log and create directory if (!disk->exists(metadata_base_path)) { /// Create metadata_base_path directory when store meta data LOG_ERROR(log, "Metadata files of table {} are lost.", getStorageID().getTableName()); } /// Load all meta info to file_infos; deserialize(); } } void StorageFileLog::loadFiles() { auto absolute_path = std::filesystem::absolute(path); absolute_path = absolute_path.lexically_normal(); /// Normalize path. if (std::filesystem::is_regular_file(absolute_path)) { path_is_directory = false; root_data_path = absolute_path.parent_path(); file_infos.file_names.push_back(absolute_path.filename()); } else if (std::filesystem::is_directory(absolute_path)) { root_data_path = absolute_path; /// Just consider file with depth 1 for (const auto & dir_entry : std::filesystem::directory_iterator{absolute_path}) { if (dir_entry.is_regular_file()) { file_infos.file_names.push_back(dir_entry.path().filename()); } } } else { throw Exception(ErrorCodes::BAD_ARGUMENTS, "The path {} neither a regular file, nor a directory", absolute_path.c_str()); } /// Get files inode for (const auto & file : file_infos.file_names) { auto inode = getInode(getFullDataPath(file)); file_infos.context_by_name.emplace(file, FileContext{.inode = inode}); } /// Update file meta or create file meta for (const auto & [file, ctx] : file_infos.context_by_name) { if (auto it = file_infos.meta_by_inode.find(ctx.inode); it != file_infos.meta_by_inode.end()) { /// data file have been renamed, need update meta file's name if (it->second.file_name != file) { disk->replaceFile(getFullMetaPath(it->second.file_name), getFullMetaPath(file)); it->second.file_name = file; } } /// New file else { FileMeta meta{file, 0, 0}; file_infos.meta_by_inode.emplace(ctx.inode, meta); } } /// Clear unneeded meta file, because data files may be deleted if (file_infos.meta_by_inode.size() > file_infos.context_by_name.size()) { InodeToFileMeta valid_metas; valid_metas.reserve(file_infos.context_by_name.size()); for (const auto & [inode, meta] : file_infos.meta_by_inode) { /// Note, here we need to use inode to judge does the meta file is valid. /// In the case that when a file deleted, then we create new file with the /// same name, it will have different inode number with stored meta file, /// so the stored meta file is invalid if (auto it = file_infos.context_by_name.find(meta.file_name); it != file_infos.context_by_name.end() && it->second.inode == inode) valid_metas.emplace(inode, meta); /// Delete meta file from filesystem else disk->removeFileIfExists(getFullMetaPath(meta.file_name)); } file_infos.meta_by_inode.swap(valid_metas); } } void StorageFileLog::serialize() const { for (const auto & [inode, meta] : file_infos.meta_by_inode) serialize(inode, meta); } void StorageFileLog::serialize(UInt64 inode, const FileMeta & file_meta) const { auto full_path = getFullMetaPath(file_meta.file_name); if (disk->exists(full_path)) { checkOffsetIsValid(file_meta.file_name, file_meta.last_writen_position); } std::string tmp_path = full_path + TMP_SUFFIX; disk->removeFileIfExists(tmp_path); try { disk->createFile(tmp_path); auto out = disk->writeFile(tmp_path); writeIntText(inode, *out); writeChar('\n', *out); writeIntText(file_meta.last_writen_position, *out); } catch (...) { disk->removeFileIfExists(tmp_path); throw; } disk->replaceFile(tmp_path, full_path); } void StorageFileLog::deserialize() { if (!disk->exists(metadata_base_path)) return; std::vector<std::string> files_to_remove; /// In case of single file (not a watched directory), /// iterated directory always has one file inside. for (const auto dir_iter = disk->iterateDirectory(metadata_base_path); dir_iter->isValid(); dir_iter->next()) { const auto & filename = dir_iter->name(); if (filename.ends_with(TMP_SUFFIX)) { files_to_remove.push_back(getFullMetaPath(filename)); continue; } auto [metadata, inode] = readMetadata(filename); if (!metadata) continue; file_infos.meta_by_inode.emplace(inode, metadata); } for (const auto & file : files_to_remove) disk->removeFile(file); } UInt64 StorageFileLog::getInode(const String & file_name) { struct stat file_stat; if (stat(file_name.c_str(), &file_stat)) { throw Exception(ErrorCodes::CANNOT_STAT, "Can not get stat info of file {}", file_name); } return file_stat.st_ino; } void StorageFileLog::read( QueryPlan & query_plan, const Names & column_names, const StorageSnapshotPtr & storage_snapshot, SelectQueryInfo & query_info, ContextPtr query_context, QueryProcessingStage::Enum /* processed_stage */, size_t /* max_block_size */, size_t /* num_streams */) { query_plan.addStep( std::make_unique<ReadFromStorageFileLog>(column_names, shared_from_this(), storage_snapshot, query_info, std::move(query_context))); } void StorageFileLog::increaseStreams() { running_streams += 1; } void StorageFileLog::reduceStreams() { running_streams -= 1; } void StorageFileLog::drop() { try { (void)std::filesystem::remove_all(metadata_base_path); } catch (...) { tryLogCurrentException(__PRETTY_FUNCTION__); } } void StorageFileLog::startup() { if (task) task->holder->activateAndSchedule(); } void StorageFileLog::shutdown(bool) { if (task) { task->stream_cancelled = true; /// Reader thread may wait for wake up wakeUp(); LOG_TRACE(log, "Waiting for cleanup"); task->holder->deactivate(); /// If no reading call and threadFunc, the log files will never /// be opened, also just leave the work of close files and /// store meta to streams. because if we close files in here, /// may result in data race with unfinishing reading pipeline } } void StorageFileLog::assertStreamGood(const std::ifstream & reader) { if (!reader.good()) { throw Exception(ErrorCodes::CANNOT_READ_ALL_DATA, "Stream is in bad state"); } } void StorageFileLog::openFilesAndSetPos() { for (const auto & file : file_infos.file_names) { auto & file_ctx = findInMap(file_infos.context_by_name, file); if (file_ctx.status != FileStatus::NO_CHANGE) { file_ctx.reader.emplace(getFullDataPath(file)); auto & reader = file_ctx.reader.value(); assertStreamGood(reader); reader.seekg(0, reader.end); /// NOLINT(readability-static-accessed-through-instance) assertStreamGood(reader); auto file_end = reader.tellg(); assertStreamGood(reader); auto & meta = findInMap(file_infos.meta_by_inode, file_ctx.inode); if (meta.last_writen_position > static_cast<UInt64>(file_end)) { throw Exception( ErrorCodes::CANNOT_READ_ALL_DATA, "Last saved offsset for File {} is bigger than file size ({} > {})", file, meta.last_writen_position, file_end); } /// update file end at the moment, used in ReadBuffer and serialize meta.last_open_end = file_end; reader.seekg(meta.last_writen_position); assertStreamGood(reader); } } serialize(); } void StorageFileLog::closeFilesAndStoreMeta(size_t start, size_t end) { assert(start < end); assert(end <= file_infos.file_names.size()); for (size_t i = start; i < end; ++i) { auto & file_ctx = findInMap(file_infos.context_by_name, file_infos.file_names[i]); if (file_ctx.reader) { if (file_ctx.reader->is_open()) file_ctx.reader->close(); } auto & meta = findInMap(file_infos.meta_by_inode, file_ctx.inode); serialize(file_ctx.inode, meta); } } void StorageFileLog::storeMetas(size_t start, size_t end) { assert(start < end); assert(end <= file_infos.file_names.size()); for (size_t i = start; i < end; ++i) { auto & file_ctx = findInMap(file_infos.context_by_name, file_infos.file_names[i]); auto & meta = findInMap(file_infos.meta_by_inode, file_ctx.inode); serialize(file_ctx.inode, meta); } } void StorageFileLog::checkOffsetIsValid(const String & filename, UInt64 offset) const { auto [metadata, _] = readMetadata(filename); if (metadata.last_writen_position > offset) { throw Exception( ErrorCodes::LOGICAL_ERROR, "Last stored last_written_position in meta file {} is bigger than current last_written_pos ({} > {})", filename, metadata.last_writen_position, offset); } } StorageFileLog::ReadMetadataResult StorageFileLog::readMetadata(const String & filename) const { auto full_path = getFullMetaPath(filename); if (!disk->isFile(full_path)) { throw Exception( ErrorCodes::BAD_FILE_TYPE, "The file {} under {} is not a regular file", filename, metadata_base_path); } auto in = disk->readFile(full_path); FileMeta metadata; UInt64 inode, last_written_pos; if (in->eof()) /// File is empty. { disk->removeFile(full_path); return {}; } if (!tryReadIntText(inode, *in)) throw Exception(ErrorCodes::CANNOT_READ_ALL_DATA, "Read meta file {} failed (1)", full_path); if (!checkChar('\n', *in)) throw Exception(ErrorCodes::CANNOT_READ_ALL_DATA, "Read meta file {} failed (2)", full_path); if (!tryReadIntText(last_written_pos, *in)) throw Exception(ErrorCodes::CANNOT_READ_ALL_DATA, "Read meta file {} failed (3)", full_path); metadata.file_name = filename; metadata.last_writen_position = last_written_pos; return { metadata, inode }; } size_t StorageFileLog::getMaxBlockSize() const { return filelog_settings->max_block_size.changed ? filelog_settings->max_block_size.value : getContext()->getSettingsRef().max_insert_block_size.value; } size_t StorageFileLog::getPollMaxBatchSize() const { size_t batch_size = filelog_settings->poll_max_batch_size.changed ? filelog_settings->poll_max_batch_size.value : getContext()->getSettingsRef().max_block_size.value; return std::min(batch_size, getMaxBlockSize()); } size_t StorageFileLog::getPollTimeoutMillisecond() const { return filelog_settings->poll_timeout_ms.changed ? filelog_settings->poll_timeout_ms.totalMilliseconds() : getContext()->getSettingsRef().stream_poll_timeout_ms.totalMilliseconds(); } bool StorageFileLog::checkDependencies(const StorageID & table_id) { // Check if all dependencies are attached auto view_ids = DatabaseCatalog::instance().getDependentViews(table_id); if (view_ids.empty()) return true; for (const auto & view_id : view_ids) { auto view = DatabaseCatalog::instance().tryGetTable(view_id, getContext()); if (!view) return false; // If it materialized view, check it's target table auto * materialized_view = dynamic_cast<StorageMaterializedView *>(view.get()); if (materialized_view && !materialized_view->tryGetTargetTable()) return false; // Check all its dependencies if (!checkDependencies(view_id)) return false; } return true; } size_t StorageFileLog::getTableDependentCount() const { auto table_id = getStorageID(); // Check if at least one direct dependency is attached return DatabaseCatalog::instance().getDependentViews(table_id).size(); } void StorageFileLog::threadFunc() { bool reschedule = false; try { auto table_id = getStorageID(); auto dependencies_count = getTableDependentCount(); if (dependencies_count) { auto start_time = std::chrono::steady_clock::now(); mv_attached.store(true); // Keep streaming as long as there are attached views and streaming is not cancelled while (!task->stream_cancelled) { if (!checkDependencies(table_id)) { /// For this case, we can not wait for watch thread to wake up reschedule = true; break; } LOG_DEBUG(log, "Started streaming to {} attached views", dependencies_count); if (streamToViews()) { LOG_TRACE(log, "Stream stalled. Reschedule."); if (milliseconds_to_wait < static_cast<uint64_t>(filelog_settings->poll_directory_watch_events_backoff_max.totalMilliseconds())) milliseconds_to_wait *= filelog_settings->poll_directory_watch_events_backoff_factor.value; break; } else { milliseconds_to_wait = filelog_settings->poll_directory_watch_events_backoff_init.totalMilliseconds(); } auto ts = std::chrono::steady_clock::now(); auto duration = std::chrono::duration_cast<std::chrono::milliseconds>(ts-start_time); if (duration.count() > MAX_THREAD_WORK_DURATION_MS) { LOG_TRACE(log, "Thread work duration limit exceeded. Reschedule."); reschedule = true; break; } } } } catch (...) { tryLogCurrentException(__PRETTY_FUNCTION__); } mv_attached.store(false); // Wait for attached views if (!task->stream_cancelled) { if (path_is_directory) { if (!getTableDependentCount() || reschedule) task->holder->scheduleAfter(milliseconds_to_wait); else { std::unique_lock<std::mutex> lock(mutex); /// Waiting for watch directory thread to wake up cv.wait(lock, [this] { return has_new_events; }); has_new_events = false; if (task->stream_cancelled) return; task->holder->schedule(); } } else task->holder->scheduleAfter(milliseconds_to_wait); } } bool StorageFileLog::streamToViews() { std::lock_guard lock(file_infos_mutex); if (running_streams) { LOG_INFO(log, "Another select query is running on this table, need to wait it finish."); return true; } Stopwatch watch; auto table_id = getStorageID(); auto table = DatabaseCatalog::instance().getTable(table_id, getContext()); if (!table) throw Exception(ErrorCodes::LOGICAL_ERROR, "Engine table {} doesn't exist", table_id.getNameForLogs()); auto metadata_snapshot = getInMemoryMetadataPtr(); auto storage_snapshot = getStorageSnapshot(metadata_snapshot, getContext()); auto max_streams_number = std::min<UInt64>(filelog_settings->max_threads.value, file_infos.file_names.size()); /// No files to parse if (max_streams_number == 0) { LOG_INFO(log, "There is a idle table named {}, no files need to parse.", getName()); return updateFileInfos(); } // Create an INSERT query for streaming data auto insert = std::make_shared<ASTInsertQuery>(); insert->table_id = table_id; auto new_context = Context::createCopy(getContext()); InterpreterInsertQuery interpreter( insert, new_context, /* allow_materialized */ false, /* no_squash */ true, /* no_destination */ true, /* async_isnert */ false); auto block_io = interpreter.execute(); /// Each stream responsible for closing it's files and store meta openFilesAndSetPos(); Pipes pipes; pipes.reserve(max_streams_number); for (size_t stream_number = 0; stream_number < max_streams_number; ++stream_number) { pipes.emplace_back(std::make_shared<FileLogSource>( *this, storage_snapshot, new_context, block_io.pipeline.getHeader().getNames(), getPollMaxBatchSize(), getPollTimeoutMillisecond(), stream_number, max_streams_number, filelog_settings->handle_error_mode)); } auto input= Pipe::unitePipes(std::move(pipes)); assertBlocksHaveEqualStructure(input.getHeader(), block_io.pipeline.getHeader(), "StorageFileLog streamToViews"); std::atomic<size_t> rows = 0; { block_io.pipeline.complete(std::move(input)); block_io.pipeline.setNumThreads(max_streams_number); block_io.pipeline.setConcurrencyControl(new_context->getSettingsRef().use_concurrency_control); block_io.pipeline.setProgressCallback([&](const Progress & progress) { rows += progress.read_rows.load(); }); CompletedPipelineExecutor executor(block_io.pipeline); executor.execute(); } UInt64 milliseconds = watch.elapsedMilliseconds(); LOG_DEBUG(log, "Pushing {} rows to {} took {} ms.", rows, table_id.getNameForLogs(), milliseconds); return updateFileInfos(); } void StorageFileLog::wakeUp() { std::unique_lock<std::mutex> lock(mutex); has_new_events = true; lock.unlock(); cv.notify_one(); } void registerStorageFileLog(StorageFactory & factory) { auto creator_fn = [](const StorageFactory::Arguments & args) { ASTs & engine_args = args.engine_args; size_t args_count = engine_args.size(); bool has_settings = args.storage_def->settings; auto filelog_settings = std::make_unique<FileLogSettings>(); if (has_settings) { filelog_settings->loadFromQuery(*args.storage_def); } auto physical_cpu_cores = getNumberOfPhysicalCPUCores(); auto num_threads = filelog_settings->max_threads.value; if (!num_threads) /// Default { num_threads = std::max(1U, physical_cpu_cores / 4); filelog_settings->set("max_threads", num_threads); } else if (num_threads > physical_cpu_cores) { throw Exception(ErrorCodes::BAD_ARGUMENTS, "Number of threads to parse files can not be bigger than {}", physical_cpu_cores); } else if (num_threads < 1) { throw Exception(ErrorCodes::BAD_ARGUMENTS, "Number of threads to parse files can not be lower than 1"); } if (filelog_settings->max_block_size.changed && filelog_settings->max_block_size.value < 1) { throw Exception(ErrorCodes::BAD_ARGUMENTS, "filelog_max_block_size can not be lower than 1"); } if (filelog_settings->poll_max_batch_size.changed && filelog_settings->poll_max_batch_size.value < 1) { throw Exception(ErrorCodes::BAD_ARGUMENTS, "filelog_poll_max_batch_size can not be lower than 1"); } size_t init_sleep_time = filelog_settings->poll_directory_watch_events_backoff_init.totalMilliseconds(); size_t max_sleep_time = filelog_settings->poll_directory_watch_events_backoff_max.totalMilliseconds(); if (init_sleep_time > max_sleep_time) { throw Exception(ErrorCodes::BAD_ARGUMENTS, "poll_directory_watch_events_backoff_init can not " "be greater than poll_directory_watch_events_backoff_max"); } if (filelog_settings->poll_directory_watch_events_backoff_factor.changed && !filelog_settings->poll_directory_watch_events_backoff_factor.value) throw Exception(ErrorCodes::BAD_ARGUMENTS, "poll_directory_watch_events_backoff_factor can not be 0"); if (args_count != 2) throw Exception(ErrorCodes::NUMBER_OF_ARGUMENTS_DOESNT_MATCH, "Arguments size of StorageFileLog should be 2, path and format name"); auto path_ast = evaluateConstantExpressionAsLiteral(engine_args[0], args.getContext()); auto format_ast = evaluateConstantExpressionAsLiteral(engine_args[1], args.getContext()); auto path = checkAndGetLiteralArgument<String>(path_ast, "path"); auto format = checkAndGetLiteralArgument<String>(format_ast, "format"); return std::make_shared<StorageFileLog>( args.table_id, args.getContext(), args.columns, path, args.relative_data_path, format, std::move(filelog_settings), args.comment, args.mode); }; factory.registerStorage( "FileLog", creator_fn, StorageFactory::StorageFeatures{ .supports_settings = true, }); } bool StorageFileLog::updateFileInfos() { if (file_infos.file_names.empty()) return false; if (!directory_watch) { /// For table just watch one file, we can not use directory monitor to watch it if (!path_is_directory) { assert(file_infos.file_names.size() == file_infos.meta_by_inode.size()); assert(file_infos.file_names.size() == file_infos.context_by_name.size()); assert(file_infos.file_names.size() == 1); if (auto it = file_infos.context_by_name.find(file_infos.file_names[0]); it != file_infos.context_by_name.end()) { it->second.status = FileStatus::UPDATED; return true; } } return false; } /// Do not need to hold file_status lock, since it will be holded /// by caller when call this function auto error = directory_watch->getErrorAndReset(); if (error.has_error) LOG_ERROR(log, "Error happened during watching directory {}: {}", directory_watch->getPath(), error.error_msg); /// These file infos should always have same size(one for one) before update and after update assert(file_infos.file_names.size() == file_infos.meta_by_inode.size()); assert(file_infos.file_names.size() == file_infos.context_by_name.size()); auto events = directory_watch->getEventsAndReset(); for (const auto & [file_name, event_infos] : events) { String file_path = getFullDataPath(file_name); for (const auto & event_info : event_infos.file_events) { switch (event_info.type) { case DirectoryWatcherBase::DW_ITEM_ADDED: { LOG_TRACE(log, "New event {} watched, file_name: {}", event_info.callback, file_name); /// Check if it is a regular file, and new file may be renamed or removed if (std::filesystem::is_regular_file(file_path)) { auto inode = getInode(file_path); file_infos.file_names.push_back(file_name); if (auto it = file_infos.meta_by_inode.find(inode); it != file_infos.meta_by_inode.end()) it->second = FileMeta{.file_name = file_name}; else file_infos.meta_by_inode.emplace(inode, FileMeta{.file_name = file_name}); if (auto it = file_infos.context_by_name.find(file_name); it != file_infos.context_by_name.end()) it->second = FileContext{.status = FileStatus::OPEN, .inode = inode}; else file_infos.context_by_name.emplace(file_name, FileContext{.inode = inode}); } break; } case DirectoryWatcherBase::DW_ITEM_MODIFIED: { LOG_TRACE(log, "New event {} watched, file_name: {}", event_info.callback, file_name); /// When new file added and appended, it has two event: DW_ITEM_ADDED /// and DW_ITEM_MODIFIED, since the order of these two events in the /// sequence is uncentain, so we may can not find it in file_infos, just /// skip it, the file info will be handled in DW_ITEM_ADDED case. if (auto it = file_infos.context_by_name.find(file_name); it != file_infos.context_by_name.end()) it->second.status = FileStatus::UPDATED; break; } case DirectoryWatcherBase::DW_ITEM_REMOVED: case DirectoryWatcherBase::DW_ITEM_MOVED_FROM: { LOG_TRACE(log, "New event {} watched, file_name: {}", event_info.callback, file_name); if (auto it = file_infos.context_by_name.find(file_name); it != file_infos.context_by_name.end()) it->second.status = FileStatus::REMOVED; break; } case DirectoryWatcherBase::DW_ITEM_MOVED_TO: { LOG_TRACE(log, "New event {} watched, file_name: {}", event_info.callback, file_name); /// Similar to DW_ITEM_ADDED, but if it removed from an old file /// should obtain old meta file and rename meta file if (std::filesystem::is_regular_file(file_path)) { file_infos.file_names.push_back(file_name); auto inode = getInode(file_path); if (auto it = file_infos.context_by_name.find(file_name); it != file_infos.context_by_name.end()) it->second = FileContext{.inode = inode}; else file_infos.context_by_name.emplace(file_name, FileContext{.inode = inode}); /// File has been renamed, we should also rename meta file if (auto it = file_infos.meta_by_inode.find(inode); it != file_infos.meta_by_inode.end()) { auto old_name = it->second.file_name; it->second.file_name = file_name; if (std::filesystem::exists(getFullMetaPath(old_name))) std::filesystem::rename(getFullMetaPath(old_name), getFullMetaPath(file_name)); } /// May move from other place, adding new meta info else file_infos.meta_by_inode.emplace(inode, FileMeta{.file_name = file_name}); } } } } } std::vector<String> valid_files; /// Remove file infos with REMOVE status for (const auto & file_name : file_infos.file_names) { if (auto it = file_infos.context_by_name.find(file_name); it != file_infos.context_by_name.end()) { if (it->second.status == FileStatus::REMOVED) { /// We need to check that this inode does not hold by other file(mv), /// otherwise, we can not destroy it. auto inode = it->second.inode; /// If it's now hold by other file, than the file_name should has /// been changed during updating file_infos if (auto meta = file_infos.meta_by_inode.find(inode); meta != file_infos.meta_by_inode.end() && meta->second.file_name == file_name) file_infos.meta_by_inode.erase(meta); if (std::filesystem::exists(getFullMetaPath(file_name))) (void)std::filesystem::remove(getFullMetaPath(file_name)); file_infos.context_by_name.erase(it); } else { valid_files.push_back(file_name); } } } file_infos.file_names.swap(valid_files); /// These file infos should always have same size(one for one) assert(file_infos.file_names.size() == file_infos.meta_by_inode.size()); assert(file_infos.file_names.size() == file_infos.context_by_name.size()); return events.empty() || file_infos.file_names.empty(); } } ```
Be Cool, Scooby-Doo! is an American animated television series produced by Warner Bros. Animation as the twelfth incarnation of Hanna-Barbera's Scooby-Doo animated series. In the show, the Scooby-Doo gang decide to travel during their last summer break together, encountering havoc-wreaking monsters along the way. Described as having a more comedic tone than its previous incarnation, Scooby-Doo! Mystery Incorporated, the show employs character traits from the original 1969 series on top of redesigned character models. The series was announced in March 2014 to premiere on Cartoon Network. However, a promotional image at the 2015 upfront announced the show to air on Boomerang and the news was later confirmed on June 29, 2015. It was originally scheduled to air on Boomerang, but the series instead premiered on Cartoon Network on October 5, 2015. On March 7, 2017, it was announced that the remaining unaired episodes would be released on Boomerang's video on demand streaming service. The final eleven episodes premiered on the Boomerang television network in March 2018 and were added to the Boomerang streaming service on September 26, 2018. Plot The Scooby-Doo gang decide to travel in the Mystery Machine, seeking fun and adventure during what could possibly be their last summer break together. However, havoc-wreaking monsters seem to be drawn to them, appearing almost every stop of the way. Nonetheless, they do not let it prevent them from completing their journey and, while they are at it, they solve every mystery they encounter. Voice cast Frank Welker – Scooby-Doo and Fred Jones Matthew Lillard – Shaggy Rogers Grey DeLisle – Daphne Blake Kate Micucci – Velma Dinkley Production Be Cool, Scooby-Doo! was announced in March 2014, along with other reboots of Warner Bros. classics, such as The Tom and Jerry Show and Wabbit. Sam Register, promoted to president of Warner Bros. Animation and Warner Digital Series a month prior, is its supervising producer. The animation direction is performed by Shaunt Nigoghossian, with Richard Lee overseeing art direction. Episodes run for a half-hour. The twelfth series in the Scooby-Doo franchise, the show was previewed in an article from a Comic-Con edition of TV Guide, writing that it would be less dark than its previous incarnation, Scooby-Doo! Mystery Incorporated. Zac Moncrief, a producer, called it "a more comedic ensemble", with character traits extracted from the original 1969 series. This decision nulled the romantic subplots present in Mystery Incorporated. Scooby-Doo has limited dialogue. Meanwhile, Fred has upgraded the Mystery Machine with modern appliances. In addition, the series employs redesigned character models for the gang, retaining their original clothes, with a few design tweaks. Moncrief described this as a "simplistic, edgy design to match the comedic styling of this latest version." However, he denied it as "a campy or meta version" of Scooby-Doo. This marks the first Scooby-Doo television series not to feature Casey Kasem in any capacity; Kasem, who voiced Shaggy from 1969 to 2009, retired from voice acting due to declining health during the production of Mystery Incorporated (in which he portrayed Shaggy's father) and died on June 15, 2014. Kasem's death leaves Frank Welker as the only surviving original cast member still with the franchise. It is also the first series since A Pup Named Scooby-Doo where Velma is voiced by an actress other than Mindy Cohn, marking the debut of Kate Micucci as the character's voice actress. Broadcast Be Cool, Scooby-Doo! made its worldwide debut on October 4, 2015, on Boomerang in the United Kingdom and Ireland and premiered on Teletoon in Canada on October 8. The series premiered on Boomerang in Australia on December 28. The series also aired in 2019 on e.tv. Episodes Series overview Season 1 (2015–17) This season premiered on Cartoon Network in the United States on October 5, 2015. After airing twenty out of the twenty-six episodes from the first season, the series was put on a long hiatus following the premiere of "Giant Problems" on March 12, 2016. The final six episodes of the first season were aired on Cartoon Network's sister station Boomerang in an overnight graveyard slot on June 20, 2017. Season 2 (2017–18) On March 7, 2017, it was announced that the rest of Be Cool, Scooby-Doo! would be premiering exclusively on the streaming service for Boomerang, a sister channel of Cartoon Network. The season premiered on the streaming service on September 28, 2017. Despite this, the final eleven episodes of the season premiered on the Boomerang television network. The season concluded on March 18, 2018. Home media Region 1 Region 2 Region 4 References External links Scooby-Doo television series 2010s American animated television series 2015 American television series debuts 2018 American television series endings 2010s American mystery television series American children's animated comedy television series American children's animated fantasy television series American children's animated horror television series American children's animated mystery television series Television shows set in the United States English-language television shows Animated television series reboots Television series by Warner Bros. Animation Cartoon Network original programming Boomerang (TV network) original programming
Listed below are the private residences of the various presidents of the United States. For a list of official residences, see President of the United States § Residence. Private homes of the presidents This is a list of homes where presidents resided with their families before or after their term of office. Presidential vacation homes During their term of office, many presidents have owned or leased vacation homes in various parts of the country, which are often called by journalists the "Western White House", "Summer White House", or "Winter White House", depending on location or season. Summer White House The "Summer White House" is typically the name given to the summer vacation residence of the sitting president of the United States aside from Camp David, the mountain-based military camp in Frederick County, Maryland, used as a country retreat and for high-alert protection of presidents and their guests. Winter White House A "Winter White House" is typically the name given to the winter vacation residence of the standing president of the United States aside from Camp David, the mountain-based military camp in Frederick County, Maryland, used as a country retreat and for high-alert protection of the president and his guests. Although Harry Truman and John F. Kennedy had spent significant time in Florida (Harry Truman having spent time there in the summer), Richard Nixon's Florida White House was the first that reporters called the "Winter White House". Western/Southern White House The Western White House and Southern White House are terms sometimes applied to additional residences of the president, especially when those residences are very distant from the District of Columbia. Famous examples include Donald Trump's Mar-a-Lago resort in Palm Beach, Florida, as well as George W. Bush's Prairie Chapel Ranch in Crawford, Texas; Lyndon B. Johnson, Richard Nixon and Ronald Reagan have also used the term for their private residences (Nixon and Reagan in California, Johnson in Texas). Other secondary "White Houses" The first governmental spending on property improvements of private presidential residences was at Dwight Eisenhower's Gettysburg farm, where the Secret Service added three guard posts to a fence. Federal law now allows the president to designate a residence outside of the White House as his temporary offices, so that federal money can be used to provide required facilities. Other official residences occupied by presidents Official residences occupied while in other offices This is a list of official residences occupied by individuals who later served as presidents with their families while they served in the office related to the residence. Official residences occupied by presidents while another member of their family served in other offices This is a list of official residences occupied by presidents with their families (before or after their term of office) while another member of their family served in the office related to the residence. Notes See also Presidential memorials in the United States References External links PresidentialMuseums.com – Presidential museums, libraries, birthplaces, centers, and other notable places of historic importance. Discover Our Shared Heritage Travel Itinerary: American Presidents: List of Sites – National Park Service Residences White House
```javascript /*! * FileInput Norwegian Translations * * This file must be loaded after 'fileinput.js'. Patterns in braces '{}', or * any HTML markup tags in the messages must not be converted or translated. * * @see path_to_url * * NOTE: this file must be saved in UTF-8 encoding. */ (function ($) { "use strict"; $.fn.fileinputLocales['no'] = { fileSingle: 'fil', filePlural: 'filer', browseLabel: 'Bla gjennom &hellip;', removeLabel: 'Fjern', removeTitle: 'Fjern valgte filer', cancelLabel: 'Avbryt', cancelTitle: 'Stopp pgende opplastninger', pauseLabel: 'Pause', pauseTitle: 'Pause ongoing upload', uploadLabel: 'Last opp', uploadTitle: 'Last opp valgte filer', msgNo: 'Nei', msgNoFilesSelected: 'Ingen filer er valgt', msgPaused: 'Paused', msgCancelled: 'Avbrutt', msgPlaceholder: 'Select {files}...', msgZoomModalHeading: 'Detaljert visning', msgFileRequired: 'You must select a file to upload.', msgSizeTooSmall: 'Filen "{name}" (<b>{size} KB</b>) er for liten og m vre strre enn <b>{minSize} KB</b>.', msgSizeTooLarge: 'Filen "{name}" (<b>{size} KB</b>) er for stor, maksimal filstrrelse er <b>{maxSize} KB</b>.', msgFilesTooLess: 'Du m velge minst <b>{n}</b> {files} for opplastning.', msgFilesTooMany: 'For mange filer til opplastning, <b>({n})</b> overstiger maksantallet som er <b>{m}</b>.', msgTotalFilesTooMany: 'You can upload a maximum of <b>{m}</b> files (<b>{n}</b> files detected).', msgFileNotFound: 'Fant ikke filen "{name}"!', msgFileSecured: 'Sikkerhetsrestriksjoner hindrer lesing av filen "{name}".', msgFileNotReadable: 'Filen "{name}" er ikke lesbar.', msgFilePreviewAborted: 'Filvisning avbrutt for "{name}".', msgFilePreviewError: 'En feil oppstod under lesing av filen "{name}".', msgInvalidFileName: 'Ugyldige tegn i filen "{name}".', msgInvalidFileType: 'Ugyldig type for filen "{name}". Kun "{types}" filer er tillatt.', msgInvalidFileExtension: 'Ugyldig endelse for filen "{name}". Kun "{extensions}" filer stttes.', msgFileTypes: { 'image': 'image', 'html': 'HTML', 'text': 'text', 'video': 'video', 'audio': 'audio', 'flash': 'flash', 'pdf': 'PDF', 'object': 'object' }, msgUploadAborted: 'Filopplastningen ble avbrutt', msgUploadThreshold: 'Prosesserer...', msgUploadBegin: 'Initialiserer...', msgUploadEnd: 'Ferdig', msgUploadResume: 'Resuming upload...', msgUploadEmpty: 'Ingen gyldige data tilgjengelig for opplastning.', msgUploadError: 'Upload Error', msgDeleteError: 'Delete Error', msgProgressError: 'Error', msgValidationError: 'Valideringsfeil', msgLoading: 'Laster fil {index} av {files} &hellip;', msgProgress: 'Laster fil {index} av {files} - {name} - {percent}% fullfrt.', msgSelected: '{n} {files} valgt', msgFoldersNotAllowed: 'Kun Dra & slipp filer! Hoppet over {n} mappe(r).', msgImageWidthSmall: 'Bredde p bildefilen "{name}" m vre minst {size} px.', msgImageHeightSmall: 'Hyde p bildefilen "{name}" m vre minst {size} px.', msgImageWidthLarge: 'Bredde p bildefilen "{name}" kan ikke overstige {size} px.', msgImageHeightLarge: 'Hyde p bildefilen "{name}" kan ikke overstige {size} px.', msgImageResizeError: 'Fant ikke dimensjonene som skulle resizes.', msgImageResizeException: 'En feil oppstod under endring av strrelse .<pre>{errors}</pre>', msgAjaxError: 'Noe gikk galt med {operation} operasjonen. Vennligst prv igjen senere!', msgAjaxProgressError: '{operation} feilet', msgDuplicateFile: 'File "{name}" of same size "{size} KB" has already been selected earlier. Skipping duplicate selection.', msgResumableUploadRetriesExceeded: 'Upload aborted beyond <b>{max}</b> retries for file <b>{file}</b>! Error Details: <pre>{error}</pre>', msgPendingTime: '{time} remaining', msgCalculatingTime: 'calculating time remaining', ajaxOperations: { deleteThumb: 'file delete', uploadThumb: 'file upload', uploadBatch: 'batch file upload', uploadExtra: 'form data upload' }, dropZoneTitle: 'Dra & slipp filer her &hellip;', dropZoneClickTitle: '<br>(eller klikk for velge {files})', fileActionSettings: { removeTitle: 'Fjern fil', uploadTitle: 'Last opp fil', uploadRetryTitle: 'Retry upload', zoomTitle: 'Vis detaljer', dragTitle: 'Flytt / endre rekkeflge', indicatorNewTitle: 'Opplastning ikke fullfrt', indicatorSuccessTitle: 'Opplastet', indicatorErrorTitle: 'Opplastningsfeil', indicatorPausedTitle: 'Upload Paused', indicatorLoadingTitle: 'Laster opp ...' }, previewZoomButtonTitles: { prev: 'Vis forrige fil', next: 'Vis neste fil', toggleheader: 'Vis header', fullscreen: 'pne fullskjerm', borderless: 'pne uten kanter', close: 'Lukk detaljer' } }; })(window.jQuery); ```
```c++ // // // file LICENSE_1_0.txt or copy at path_to_url // // Official repository: path_to_url // #ifndef BOOST_BEAST_UNIT_TEST_AMOUNT_HPP #define BOOST_BEAST_UNIT_TEST_AMOUNT_HPP #include <cstddef> #include <ostream> #include <string> namespace boost { namespace beast { namespace unit_test { /** Utility for producing nicely composed output of amounts with units. */ class amount { private: std::size_t n_; std::string const& what_; public: amount(amount const&) = default; amount& operator=(amount const&) = delete; template<class = void> amount(std::size_t n, std::string const& what); friend std::ostream& operator<<(std::ostream& s, amount const& t); }; template<class> amount::amount(std::size_t n, std::string const& what) : n_(n) , what_(what) { } inline std::ostream& operator<<(std::ostream& s, amount const& t) { s << t.n_ << " " << t.what_ <<((t.n_ != 1) ? "s" : ""); return s; } } // unit_test } // beast } // boost #endif ```
```php </div> ```
Dragon Hoops is a nonfiction graphic novel by Gene Luen Yang, illustrated by Gene Luen Yang and Lark Pien, and published by March 17, 2020, by First Second. Background TBA Plot Gene Luen Yang says he was not interested in sports when he was a child. He was interested in comic books, and he created comic stories after graduation. In 2013, Yang publishes the graphic novel Boxers & Saints. His family celebrates the book, but Yang quickly starts running out of ideas for the next graphic novel. Yang is inspired by the basketball team at Bishop O'Dowd High School from Oakland, where he is a teacher. Yang discovers a basketball coach named Lou Ritchie, and they begin to discuss the sport. Ritchie reveals his full name, Llewellyn Blackman Ritchie, that Yang discovers a yearbook when he was in high school. It flashbacks to Ritchie as a freshman in fall 1985 that at this time, the varsity men's basketball team made it to the California State Championship. He wanted to join the basketball team by doing training and exercise skills. At his junior year, he's grown tall and strong enough by, placing him as backup point guard. At the time, he, along with his team, is ready to start the game's championship. The Bishop O'Dowd Dragons are against Manual Arts Toilers for home of the trophy of California Interscholastic Federation. The team got quite tougher than usual than before that he's getting confident at it. By the time that leads seven seconds left at the final period, Dragons coach Mike Phelps stated that "get that ball inbounds! Don't let'em touch it! Then, whenever gets it, make something happen!" Ritchie is ready to throw the basketball in the hoop just in time when the game is over by gaining two points surpassed the Toilers' points. As the Dragons won the game, referee whistles that it had "No bucket! Offensive goaltending!" Which apparently, the hand touches the basketball on the hoop that causes the player to get no bucket. Phelps cusses that the Toilers won the game by revert to the current points of Dragons, which made a controversy up to the point. After Ritchie's graduation, he went to college to play a basketball team, first at UCLA, then at Clemson, before he had an injury by ended his career. He graduated with a degree in this history. In fall 2001, he came back to his high school. This time, he became as a coach. He began as an assistant to Phelps. Then in 2012, he was promoted to head coach. Throughout the years, O'Dowd Dragons has failed miserably by most of the team points they got so far from winning it. Reception Dragon Hoops received starred reviews from Publishers Weekly, School Library Journal, The Horn Book, Bulletin of the Center for Children's Books, and Booklist, as well as positive reviews from Kirkus, San Francisco Chronicle, and The New York Times. Publishers Weekly complimented the book's writing: "Using a candid narrative and signature illustrations that effectively and dynamically bring the fast-paced games to life, Yang has crafted a triumphant, telescopic graphic memoir that explores the effects of legacy and the power of taking a single first step, no matter the outcome." The Horn Book's Eric Carpenter drew attention to how "Yang skillfully juggles the stories of multiple players and coaches as well as his own journey from basketball novice to avid fan." Jesse Karp, writing for Booklist, applauded Yang's artwork: "Combining visual flair, like speeding backgrounds, with nearly diagrammatic movement, he creates pulse-pounding game sequences." Karp continued, noting, "Most important, through recurring visual motifs that connect a champion basketball player to a self-questioning artist to a Russian immigrant with a new idea, he illuminates the risks that every one of us must take and has, once again, produced a work of resounding humanity." In varied reviews, the book was called a "standout showing," "[a] winner," and "emotional." The New York Times, The Washington Post, Amazon, Forbes, School Library Journal, Booklist, The Horn Book, Bulletin of the Center for Children's Books, and Publishers Weekly included Dragon Hoops in "Best of" lists. School Library Journal included it several reading lists. References 2020 non-fiction books 2020 graphic novels First Second Books books 2020 children's books Children's books about basketball
Arthar Dandakharka is a village development committee in Parbat District in the Dhawalagiri Zone of central Nepal. At the time of the 1991 Nepal census it had a population of 3585 people living in 724 individual households. References External links UN map of the municipalities of Parbat District Populated places in Parbat District
```lex # # # # # # # # # ```
```ruby describe :extract_range_matched, shared: true do it "returns an instance of String when passed a String subclass" do cls = Class.new(String) sub = cls.new("abc") s = StringScanner.new(sub) s.scan(/\w{1}/) ch = s.send(@method) ch.should_not be_kind_of(cls) ch.should be_an_instance_of(String) end end ```
```c++ ///|/ ///|/ PrusaSlicer is released under the terms of the AGPLv3 or higher ///|/ #include "Moonraker.hpp" #include <algorithm> #include <sstream> #include <exception> #include <boost/format.hpp> #include <boost/log/trivial.hpp> #include <boost/property_tree/ptree.hpp> #include <boost/property_tree/json_parser.hpp> #include <boost/nowide/convert.hpp> #include <curl/curl.h> #include "slic3r/GUI/GUI.hpp" #include "slic3r/GUI/I18N.hpp" #include "slic3r/GUI/GUI_App.hpp" #include "slic3r/GUI/format.hpp" #include "libslic3r/AppConfig.hpp" #include "Http.hpp" namespace fs = boost::filesystem; namespace pt = boost::property_tree; namespace Slic3r { namespace { #ifdef WIN32 // Workaround for Windows 10/11 mDNS resolve issue, where two mDNS resolves in succession fail. std::string substitute_host(const std::string& orig_addr, std::string sub_addr) { // put ipv6 into [] brackets if (sub_addr.find(':') != std::string::npos && sub_addr.at(0) != '[') sub_addr = "[" + sub_addr + "]"; // Using the new CURL API for handling URL. path_to_url // If anything fails, return the input unchanged. std::string out = orig_addr; CURLU* hurl = curl_url(); if (hurl) { // Parse the input URL. CURLUcode rc = curl_url_set(hurl, CURLUPART_URL, orig_addr.c_str(), 0); if (rc == CURLUE_OK) { // Replace the address. rc = curl_url_set(hurl, CURLUPART_HOST, sub_addr.c_str(), 0); if (rc == CURLUE_OK) { // Extract a string fromt the CURL URL handle. char* url; rc = curl_url_get(hurl, CURLUPART_URL, &url, 0); if (rc == CURLUE_OK) { out = url; curl_free(url); } else BOOST_LOG_TRIVIAL(error) << "OctoPrint substitute_host: failed to extract the URL after substitution"; } else BOOST_LOG_TRIVIAL(error) << "OctoPrint substitute_host: failed to substitute host " << sub_addr << " in URL " << orig_addr; } else BOOST_LOG_TRIVIAL(error) << "OctoPrint substitute_host: failed to parse URL " << orig_addr; curl_url_cleanup(hurl); } else BOOST_LOG_TRIVIAL(error) << "OctoPrint substitute_host: failed to allocate curl_url"; return out; } #endif } Moonraker::Moonraker(DynamicPrintConfig *config) : m_host(config->opt_string("print_host")), m_apikey(config->opt_string("printhost_apikey")), m_cafile(config->opt_string("printhost_cafile")), m_ssl_revoke_best_effort(config->opt_bool("printhost_ssl_ignore_revoke")) {} const char* Moonraker::get_name() const { return "Moonraker"; } wxString Moonraker::get_test_ok_msg () const { return _(L("Connection to Moonraker works correctly.")); } wxString Moonraker::get_test_failed_msg (wxString &msg) const { return GUI::format_wxstr("%s: %s" , _L("Could not connect to Moonraker") , msg); } bool Moonraker::test(wxString& msg) const { // GET /server/info // Since the request is performed synchronously here, // it is ok to refer to `msg` from within the closure const char* name = get_name(); bool res = true; auto url = make_url("server/info"); BOOST_LOG_TRIVIAL(info) << boost::format("%1%: Get version at: %2%") % name % url; auto http = Http::get(std::move(url)); set_auth(http); http.on_error([&](std::string body, std::string error, unsigned status) { BOOST_LOG_TRIVIAL(error) << boost::format("%1%: Error getting version: %2%, HTTP %3%, body: `%4%`") % name % error % status % body; res = false; msg = format_error(body, error, status); }) .on_complete([&](std::string body, unsigned) { BOOST_LOG_TRIVIAL(debug) << boost::format("%1%: Got server/info: %2%") % name % body; try { // All successful HTTP requests will return a json encoded object in the form of : // {result: <response data>} std::stringstream ss(body); pt::ptree ptree; pt::read_json(ss, ptree); if (ptree.front().first != "result") { msg = "Could not parse server response"; res = false; return; } if (!ptree.front().second.get_optional<std::string>("moonraker_version")) { msg = "Could not parse server response"; res = false; return; } BOOST_LOG_TRIVIAL(info) << boost::format("%1%: Got version: %2%") % name % ptree.front().second.get_optional<std::string>("moonraker_version"); } catch (const std::exception&) { res = false; msg = "Could not parse server response"; } }) #ifdef _WIN32 .ssl_revoke_best_effort(m_ssl_revoke_best_effort) .on_ip_resolve([&](std::string address) { // Workaround for Windows 10/11 mDNS resolve issue, where two mDNS resolves in succession fail. // Remember resolved address to be reused at successive REST API call. msg = GUI::from_u8(address); }) #endif // _WIN32 .perform_sync(); return res; } bool Moonraker::upload(PrintHostUpload upload_data, ProgressFn prorgess_fn, ErrorFn error_fn, InfoFn info_fn) const { // POST /server/files/upload const char* name = get_name(); const auto upload_filename = upload_data.upload_path.filename(); const auto upload_parent_path = upload_data.upload_path.parent_path(); // If test fails, test_msg_or_host_ip contains the error message. wxString test_msg_or_host_ip; if (!test(test_msg_or_host_ip)) { error_fn(std::move(test_msg_or_host_ip)); return false; } std::string url; bool res = true; #ifdef WIN32 // Workaround for Windows 10/11 mDNS resolve issue, where two mDNS resolves in succession fail. if (m_host.find("https://") == 0 || test_msg_or_host_ip.empty() || !GUI::get_app_config()->get_bool("allow_ip_resolve")) #endif // _WIN32 { // If https is entered we assume signed ceritificate is being used // IP resolving will not happen - it could resolve into address not being specified in cert url = make_url("server/files/upload"); } #ifdef WIN32 else { // Workaround for Windows 10/11 mDNS resolve issue, where two mDNS resolves in succession fail. // Curl uses easy_getinfo to get ip address of last successful transaction. // If it got the address use it instead of the stored in "host" variable. // This new address returns in "test_msg_or_host_ip" variable. // Solves troubles of uploades failing with name address. // in original address (m_host) replace host for resolved ip info_fn(L"resolve", test_msg_or_host_ip); url = substitute_host(make_url("server/files/upload"), GUI::into_u8(test_msg_or_host_ip)); BOOST_LOG_TRIVIAL(info) << "Upload address after ip resolve: " << url; } #endif // _WIN32 BOOST_LOG_TRIVIAL(info) << boost::format("%1%: Uploading file %2% at %3%, filename: %4%, path: %5%, print: %6%") % name % upload_data.source_path % url % upload_filename.string() % upload_parent_path.string() % (upload_data.post_action == PrintHostPostUploadAction::StartPrint ? "true" : "false"); /* The file must be uploaded in the request's body multipart/form-data (ie: <input type="file">). The following arguments may also be added to the form-data: root: The root location in which to upload the file.Currently this may be gcodes or config.If not specified the default is gcodes. path : This argument may contain a path(relative to the root) indicating a subdirectory to which the file is written.If a path is present the server will attempt to create any subdirectories that do not exist. checksum : A SHA256 hex digest calculated by the client for the uploaded file.If this argument is supplied the server will compare it to its own checksum calculation after the upload has completed.A checksum mismatch will result in a 422 error. Arguments available only for the gcodes root : print: If set to "true", Klippy will attempt to start the print after uploading.Note that this value should be a string type, not boolean.This provides compatibility with OctoPrint's upload API. */ auto http = Http::post(std::move(url)); set_auth(http); http.form_add("root", "gcodes"); if (!upload_parent_path.empty()) http.form_add("path", upload_parent_path.string()); if (upload_data.post_action == PrintHostPostUploadAction::StartPrint) http.form_add("print", "true"); http.form_add_file("file", upload_data.source_path.string(), upload_filename.string()) .on_complete([&](std::string body, unsigned status) { BOOST_LOG_TRIVIAL(debug) << boost::format("%1%: File uploaded: HTTP %2%: %3%") % name % status % body; }) .on_error([&](std::string body, std::string error, unsigned status) { BOOST_LOG_TRIVIAL(error) << boost::format("%1%: Error uploading file: %2%, HTTP %3%, body: `%4%`") % name % error % status % body; error_fn(format_error(body, error, status)); res = false; }) .on_progress([&](Http::Progress progress, bool& cancel) { prorgess_fn(std::move(progress), cancel); if (cancel) { // Upload was canceled BOOST_LOG_TRIVIAL(info) << name << ": Upload canceled"; res = false; } }) #ifdef WIN32 .ssl_revoke_best_effort(m_ssl_revoke_best_effort) #endif .perform_sync(); return res; } void Moonraker::set_auth(Http &http) const { if (!m_apikey.empty()) http.header("X-Api-Key", m_apikey); if (!m_cafile.empty()) http.ca_file(m_cafile); } std::string Moonraker::make_url(const std::string &path) const { if (m_host.find("http://") == 0 || m_host.find("https://") == 0) { if (m_host.back() == '/') { return (boost::format("%1%%2%") % m_host % path).str(); } else { return (boost::format("%1%/%2%") % m_host % path).str(); } } else { return (boost::format("path_to_url") % m_host % path).str(); } } } ```
```javascript Allow an element to go fullscreen Handling click events Vibration API User Timing API FileReader.readAsArrayBuffer() ```
"Freestyle" is a song written and recorded by American country music trio Lady Antebellum. It was written Dave Haywood, Charles Kelley, Hillary Scott and Shane McAnally, and co-produced by Nathan Chapman. The song served as the second single for the trio's sixth studio album, 747 and was released on October 20, 2014, and it features lead vocals from Kelley. Background and composition During the group's 2014 tour, Charles Kelley told Rolling Stone, "Songs like 'Freestyle'" was a departure for them but "it's been proven to us over the past couple of years — is that when we do take chances, the fans have responded really well." Critical reception Giving it a "C+", Bob Paxman of Country Weekly praised the song's "catchy" production, but felt that Lady Antebellum was "nearly unrecognizable" due to the rapid-fire lyric delivery. He also criticized the lyrics for having "buzzwords and imagery" that were "scattered". Music video The music video for "Freestyle" was released in October 2014 and comedian and dancer Nathan Barnatt appears in the video. Part of the video was filmed at the Gramercy Theatre in Manhattan. Synopsis Barnatt plays his alter ego "Keith Apicary", who is determined to meet Lady Antebellum in person. After falling short of meeting them, he comes up with a way to get past security by putting on a cowboy hat and a Lady Antebellum T-shirt. He eventually meets his goal when Charles (Kelley) invites him backstage where he meets the band. Chart performance Year-end charts Release history References 2014 singles Lady A songs Capitol Records Nashville singles Songs written by Dave Haywood Songs written by Charles Kelley Songs written by Hillary Scott Songs written by Shane McAnally Song recordings produced by Nathan Chapman (record producer) 2014 songs
```c++ /*============================================================================= file LICENSE_1_0.txt or copy at path_to_url ==============================================================================*/ #include <boost/detail/lightweight_test.hpp> #include <boost/fusion/algorithm/transformation/push_back.hpp> #include <boost/fusion/algorithm/transformation/push_front.hpp> #include <boost/fusion/container/deque/convert.hpp> #include <boost/fusion/container/deque/deque.hpp> #include <boost/fusion/container/generation/make_deque.hpp> #include <boost/fusion/container/generation/make_list.hpp> #include <boost/fusion/container/generation/make_vector.hpp> #include <boost/fusion/sequence/comparison/equal_to.hpp> #include <string> int main() { using namespace boost::fusion; using namespace boost; BOOST_TEST(as_deque(make_vector()) == make_deque()); BOOST_TEST(as_deque(make_vector(1)) == make_deque(1)); BOOST_TEST(as_deque(make_vector(1, '2')) == make_deque(1, '2')); BOOST_TEST(as_deque(make_vector(1, '2', 3.3f)) == make_deque(1, '2', 3.3f)); BOOST_TEST(as_deque(make_list()) == make_deque()); BOOST_TEST(as_deque(make_list(1)) == make_deque(1)); BOOST_TEST(as_deque(make_list(1, '2')) == make_deque(1, '2')); BOOST_TEST(as_deque(make_list(1, '2', 3.3f)) == make_deque(1, '2', 3.3f)); { deque<> xs; BOOST_TEST(as_deque(push_back(xs, 1)) == make_deque(1)); } { deque<int> xs(1); BOOST_TEST(as_deque(push_back(xs, '2')) == make_deque(1, '2')); } { deque<int, char> xs(1, '2'); BOOST_TEST(as_deque(push_back(xs, 3.3f)) == make_deque(1, '2', 3.3f)); } { deque<> xs; BOOST_TEST( as_deque(push_front(xs, make_deque(1, '2', 3.3f))) == make_deque(make_deque(1, '2', 3.3f)) ); BOOST_TEST(as_deque(make_deque(make_deque(1))) == make_deque(make_deque(1))); } /* Disabling test for now, see path_to_url ($$$ FIXME $$$) { deque<> xs; BOOST_TEST( as_deque(push_front(xs, make_vector(1, '2', 3.3f))) == make_deque(make_vector(1, '2', 3.3f)) ); } */ return boost::report_errors(); } ```
The House of Monymusk is located on the outskirts of the Scottish village of Monymusk, in the Marr region of Aberdeenshire. The house is located near the River Don, which is known for its spectacular trout-fishing. The village, which history dates back to 1170, was bought by the Forbses in the 1560s, who later built the House of Monymusk. The Forbses claim they built the present House of Monymusk from the blackened stones of the old Priory. References Category A listed buildings in Aberdeenshire Inventory of Gardens and Designed Landscapes
The Great Domes were a fleet of six streamlined dome lounge cars built by the Budd Company for the Great Northern Railway and Chicago, Burlington and Quincy Railroad in 1955. The cars were used exclusively on the Empire Builder from their introduction in 1955 until the end of private passenger service in 1971. Amtrak retained all six cars and they continued to run on the Empire Builder before new Superliners displaced them at the end of the decade, after which they saw service elsewhere in the system before the last one being retired in 2019. The Great Domes were similar in design to the Big Domes Budd built for the Atchison, Topeka and Santa Fe Railway. Design The Great Domes were "virtually identical" to the Big Dome lounges Budd constructed for the Santa Fe in 1954, save for the fact that their smooth sides lacked the fluting of the Big Domes. The top level featured coach-style seating for 57, plus a lounge area which could seat an additional 18 on sofas and in booths. The lower level featured a cocktail lounge decorated with the art of the Haida people, who hailed from the Pacific Northwest. Service history The Great Northern was slow to adopt dome cars for its passenger trains. Management thought that the cost of heating and cooling the dome interiors would be prohibitively expensive given the hot summers and cold winters along the Hi-Line. Further, they thought the Empire Builder, which had already been re-equipped twice in 1947 and 1951, could attract passengers without adding domes. News that the Northern Pacific Railway and Chicago, Milwaukee, St. Paul and Pacific Railroad (the "Milwaukee Road") were adding domes to their transcontinental trains changed the Great Northern's mind. In 1953 the Great Northern ordered six Great Domes and sixteen "short" domes, enough to add one Great Dome and three "short" domes to the regular consist of the Empire Builder. One of the six cars was owned by the Chicago, Burlington and Quincy Railroad (CB&Q). Amtrak acquired all six Great Domes from the Burlington Northern Railroad, successor to the Great Northern and CB&Q, on its startup in 1971. The Great Domes remained on the Empire Builder until October 28, 1979, when they and other single-level cars were displaced by Superliners and Hi-Level cars. Amtrak rebuilt three of the cars for head end power (HEP) and they remained on the roster into the 1990s on the Auto Train. Amtrak has retained one, Ocean View, as part of its business car fleet and for special use on regular routes, such as the Downeaster service during leaf peeping season. Ocean View was retired in 2019 by Amtrak, due to the age and expense of maintaining the Great Dome Car. It was sold to Paxrail in 2020, before being entering a lease to purchase with RAILEXCO in early 2021, before selling to RAILEXCO upon completion of the agreement. As of late September 2022, Ocean View was in service on the Western Maryland Scenic Railroad under lease from RAILEXCO until late 2022 where it has been sold to Canadian National Railway. Notes References External links Memories from the Great Dome 'Ocean View', Website dedicated to the history of Amtrak's Great Dome Cars by the Midwest Rail Rangers Train-related introductions in 1955 Great Northern Railway (U.S.) Budd Company Rail passenger cars of the United States
better known by his ring name Astroman is a Japanese professional wrestler currently performing in the Japanese promotion Pro Wrestling Zero1 where he is a former World Junior Heavyweight Champion and International Junior Heavyweight Champion. Professional wrestling career Independent circuit (2021–present) Due to partially being a freelancer, Hiriki is known for competing in various promotions of the Japanese independent scene. He took part in the 2021 Advance Cup, a tournament hosted by Active Advance Pro Wrestling in which he competed in a block where he failed to score any points after going against Naka Shunma, Takuro Niki and Chicharito Shoki. On the finals of the event from May 5, 2021, he teamed up with Shoki Kitamura in a losing effort against Ayumu Honda and The Andrew King Takuma in a tag team match. He is also known for seldom competing in various joshi promotions as male talent. At Diana Jaguar's Memorial 61st Birthday & 46th Anniversary, an event promoted by World Woman Pro-Wrestling Diana on July 25, 2022, he teamed up with Ryo Hoshino, Shoki Kitamura and Tsugutaka Sato in a losing effort against Junya Matsunaga, Satsuki Nagao, Takafumi and Takumi Baba in an eight-man tag team match. Pro Wrestling Zero1 (2021–present) Hiriki made his professional wrestling debut in Pro Wrestling Zero1 at ZERO1 Great East Japan Earthquake Reconstruction Charity Show on March 11, 2021, where he fell short to Shoki Kitamura in singles competition. During his time in the company, he chased various championships promoted by it. At ZERO1 20th & 21st Anniversary on April 10, 2022, Hiriki defeated Fuminori Abe to win both the World Junior Heavyweight Championship and the International Junior Heavyweight Championship which were sanctioned together. Hiriki competed in various match gimmicks, such as a battle royal which took place at ZERO1 Earthquake Disaster Reconstruction Dedication Pro-Wrestling on August 26, 2022, a bout won by Shoki Kitamura and also involving notable opponents, both male and female such as Aja Kong, Masato Tanaka, Takuya Sugawara and others. Hiriki is known for competing in one of the promotion's signature events, the Tenkaichi Junior tournament, in which he made his first appearance at the 2021 edition, where he fell short to Leo Isaka in the first rounds. At the 2022 edition, he placed himself in the Block B, where he scored a total of eight points after competing against Shoki Kitamura, Jun Masaoka, Leo Isaka and Yoshikazu Yokoyama. Big Japan Pro Wrestling (2021–present) One of the promotions he often uses to compete for due to Zero1's shared developmental talent is Big Japan Pro Wrestling. He usually performs in cross over events. One of these junctures was the BJW/ZERO1/2AW Big Clash from April 7, 2021, where he teamed up with Hartley Jackson and Shoki Kitamura in a losing effort against Naka Shuma, Ryuji Ito and Taishi Takizawa as a result of a six-man tag team match. He continued to make appearances in various anniversary events such as the BJW Daichi Hashimoto 10th Anniversary from December 12, 2021, where he teamed up with Satsuki Nagao in a losing effort against Kazuki Hashimoto and Kosuke Sato. Championships and accomplishments Pro Wrestling Zero1 NWA World Junior Heavyweight Championship (1 time) International Junior Heavyweight Championship (1 time) References 1997 births Living people Japanese male professional wrestlers People from Yamaguchi Prefecture Sportspeople from Yamaguchi Prefecture 21st-century professional wrestlers
```c++ // // ssl/detail/engine.hpp // ~~~~~~~~~~~~~~~~~~~~~ // // // file LICENSE_1_0.txt or copy at path_to_url // #ifndef ASIO_SSL_DETAIL_ENGINE_HPP #define ASIO_SSL_DETAIL_ENGINE_HPP #if defined(_MSC_VER) && (_MSC_VER >= 1200) # pragma once #endif // defined(_MSC_VER) && (_MSC_VER >= 1200) #include "asio/detail/config.hpp" #include "asio/buffer.hpp" #include "asio/detail/static_mutex.hpp" #include "asio/ssl/detail/openssl_types.hpp" #include "asio/ssl/detail/verify_callback.hpp" #include "asio/ssl/stream_base.hpp" #include "asio/ssl/verify_mode.hpp" #include "asio/detail/push_options.hpp" namespace asio { namespace ssl { namespace detail { class engine { public: enum want { // Returned by functions to indicate that the engine wants input. The input // buffer should be updated to point to the data. The engine then needs to // be called again to retry the operation. want_input_and_retry = -2, // Returned by functions to indicate that the engine wants to write output. // The output buffer points to the data to be written. The engine then // needs to be called again to retry the operation. want_output_and_retry = -1, // Returned by functions to indicate that the engine doesn't need input or // output. want_nothing = 0, // Returned by functions to indicate that the engine wants to write output. // The output buffer points to the data to be written. After that the // operation is complete, and the engine does not need to be called again. want_output = 1 }; // Construct a new engine for the specified context. ASIO_DECL explicit engine(SSL_CTX* context); #if defined(ASIO_HAS_MOVE) // Move construct from another engine. ASIO_DECL engine(engine&& other) ASIO_NOEXCEPT; #endif // defined(ASIO_HAS_MOVE) // Destructor. ASIO_DECL ~engine(); // Get the underlying implementation in the native type. ASIO_DECL SSL* native_handle(); // Set the peer verification mode. ASIO_DECL asio::error_code set_verify_mode( verify_mode v, asio::error_code& ec); // Set the peer verification depth. ASIO_DECL asio::error_code set_verify_depth( int depth, asio::error_code& ec); // Set a peer certificate verification callback. ASIO_DECL asio::error_code set_verify_callback( verify_callback_base* callback, asio::error_code& ec); // Perform an SSL handshake using either SSL_connect (client-side) or // SSL_accept (server-side). ASIO_DECL want handshake( stream_base::handshake_type type, asio::error_code& ec); // Perform a graceful shutdown of the SSL session. ASIO_DECL want shutdown(asio::error_code& ec); // Write bytes to the SSL session. ASIO_DECL want write(const asio::const_buffer& data, asio::error_code& ec, std::size_t& bytes_transferred); // Read bytes from the SSL session. ASIO_DECL want read(const asio::mutable_buffer& data, asio::error_code& ec, std::size_t& bytes_transferred); // Get output data to be written to the transport. ASIO_DECL asio::mutable_buffer get_output( const asio::mutable_buffer& data); // Put input data that was read from the transport. ASIO_DECL asio::const_buffer put_input( const asio::const_buffer& data); // Map an error::eof code returned by the underlying transport according to // the type and state of the SSL session. Returns a const reference to the // error code object, suitable for passing to a completion handler. ASIO_DECL const asio::error_code& map_error_code( asio::error_code& ec) const; private: // Disallow copying and assignment. engine(const engine&); engine& operator=(const engine&); // Callback used when the SSL implementation wants to verify a certificate. ASIO_DECL static int verify_callback_function( int preverified, X509_STORE_CTX* ctx); #if (OPENSSL_VERSION_NUMBER < 0x10000000L) // The SSL_accept function may not be thread safe. This mutex is used to // protect all calls to the SSL_accept function. ASIO_DECL static asio::detail::static_mutex& accept_mutex(); #endif // (OPENSSL_VERSION_NUMBER < 0x10000000L) // Perform one operation. Returns >= 0 on success or error, want_read if the // operation needs more input, or want_write if it needs to write some output // before the operation can complete. ASIO_DECL want perform(int (engine::* op)(void*, std::size_t), void* data, std::size_t length, asio::error_code& ec, std::size_t* bytes_transferred); // Adapt the SSL_accept function to the signature needed for perform(). ASIO_DECL int do_accept(void*, std::size_t); // Adapt the SSL_connect function to the signature needed for perform(). ASIO_DECL int do_connect(void*, std::size_t); // Adapt the SSL_shutdown function to the signature needed for perform(). ASIO_DECL int do_shutdown(void*, std::size_t); // Adapt the SSL_read function to the signature needed for perform(). ASIO_DECL int do_read(void* data, std::size_t length); // Adapt the SSL_write function to the signature needed for perform(). ASIO_DECL int do_write(void* data, std::size_t length); SSL* ssl_; BIO* ext_bio_; }; } // namespace detail } // namespace ssl } // namespace asio #include "asio/detail/pop_options.hpp" #if defined(ASIO_HEADER_ONLY) # include "asio/ssl/detail/impl/engine.ipp" #endif // defined(ASIO_HEADER_ONLY) #endif // ASIO_SSL_DETAIL_ENGINE_HPP ```
Tazawagawa Dam is a gravity dam located in Yamagata Prefecture in Japan. The dam is used for flood control and water supply. The catchment area of the dam is 23.2 km2. The dam impounds about 35 ha of land when full and can store 9100 thousand cubic meters of water. The construction of the dam was started on 1981 and completed in 2001. References Dams in Yamagata Prefecture 2001 establishments in Japan
English High School (Turkish: Beyoğlu Anadolu Lisesi), is one of the most prestigious and selective high schools in Turkey. The school is also one of the oldest foreign high schools in Turkey. High schools in Istanbul Beyoğlu Anatolian High Schools
A B C D E F G H See also List of electronic music record labels List of independent UK record labels List of Bangladeshi record labels External links 45cat.com - record labels listed by country discogs.com - searchable by label russian-records.com - Russian labels
```ruby require_relative '../../spec_helper' require 'csv' describe "CSV.parse" do it "parses '' into []" do result = CSV.parse '' result.should be_kind_of(Array) result.should == [] end it "parses '\n' into [[]]" do result = CSV.parse "\n" result.should == [[]] end it "parses 'foo' into [['foo']]" do result = CSV.parse 'foo' result.should == [['foo']] end it "parses 'foo,bar,baz' into [['foo','bar','baz']]" do result = CSV.parse 'foo,bar,baz' result.should == [['foo','bar','baz']] end it "parses 'foo,baz' into [[foo,nil,baz]]" do result = CSV.parse 'foo,,baz' result.should == [['foo',nil,'baz']] end it "parses '\nfoo' into [[],['foo']]" do result = CSV.parse "\nfoo" result.should == [[],['foo']] end it "parses 'foo\n' into [['foo']]" do result = CSV.parse "foo\n" result.should == [['foo']] end it "parses 'foo\nbar' into [['foo'],['bar']]" do result = CSV.parse "foo\nbar" result.should == [['foo'],['bar']] end it "parses 'foo,bar\nbaz,quz' into [['foo','bar'],['baz','quz']]" do result = CSV.parse "foo,bar\nbaz,quz" result.should == [['foo','bar'],['baz','quz']] end it "parses 'foo,bar'\nbaz' into [['foo','bar'],['baz']]" do result = CSV.parse "foo,bar\nbaz" result.should == [['foo','bar'],['baz']] end it "parses 'foo\nbar,baz' into [['foo'],['bar','baz']]" do result = CSV.parse "foo\nbar,baz" result.should == [['foo'],['bar','baz']] end it "parses '\n\nbar' into [[],[],'bar']]" do result = CSV.parse "\n\nbar" result.should == [[],[],['bar']] end it "parses 'foo' into [['foo']] with a separator of ;" do result = CSV.parse "foo", col_sep: ?; result.should == [['foo']] end it "parses 'foo;bar' into [['foo','bar']] with a separator of ;" do result = CSV.parse "foo;bar", col_sep: ?; result.should == [['foo','bar']] end it "parses 'foo;bar\nbaz;quz' into [['foo','bar'],['baz','quz']] with a separator of ;" do result = CSV.parse "foo;bar\nbaz;quz", col_sep: ?; result.should == [['foo','bar'],['baz','quz']] end it "raises CSV::MalformedCSVError exception if input is illegal" do -> { CSV.parse('"quoted" field') }.should raise_error(CSV::MalformedCSVError) end it "handles illegal input with the liberal_parsing option" do illegal_input = '"Johnson, Dwayne",Dwayne "The Rock" Johnson' result = CSV.parse(illegal_input, liberal_parsing: true) result.should == [["Johnson, Dwayne", 'Dwayne "The Rock" Johnson']] end end ```
```ruby # frozen_string_literal: true module Decidim module ContentRenderers # A renderer that searches Global IDs representing hashtags in content # and replaces it with a link to their detail page with the name. # # e.g. gid://<APP_NAME>/Decidim::Hashtag/1 # # @see BaseRenderer Examples of how to use a content renderer class HashtagRenderer < BaseRenderer # Matches a global id representing a Decidim::Hashtag GLOBAL_ID_REGEX = %r{gid://[\w-]*/Decidim::Hashtag/(\d+)/?(_?)([[:alnum:]](?:[[:alnum:]]|_)*)?\b} # Replaces found Global IDs matching an existing hashtag with # a link to their detail page. The Global IDs representing an # invalid Decidim::Hashtag are replaced with an empty string. # # links - should render hashtags as links? # extras - should include extra hashtags? # # @return [String] the content ready to display (contains HTML) def render(links: true, extras: true, editor: false) return content unless content.respond_to?(:gsub) content.gsub(GLOBAL_ID_REGEX) do |hashtag_gid| id, extra, cased_name = hashtag_gid.scan(GLOBAL_ID_REGEX).flatten hashtag = hashtags[id.to_i] next "" if hashtag.nil? || (!extras && extra.present?) presenter = Decidim::HashtagPresenter.new(hashtag, cased_name:) if editor label = presenter.display_hashtag_name %(<span data-type="hashtag" data-label="#{label}">#{label}</span>) elsif links presenter.display_hashtag else presenter.display_hashtag_name end end end # Returns all the extra hashtags found in the content def extra_hashtags @extra_hashtags ||= existing_hashtags.select { |hashtag| content_extra_hashtags_ids.member?(hashtag.id) } end private def hashtags @hashtags ||= existing_hashtags.index_by(&:id) end def existing_hashtags @existing_hashtags ||= Decidim::Hashtag.where(id: content_hashtags_ids) end def content_hashtags_ids @content_hashtags_ids ||= ids_from_matches(content_matches) end def content_extra_hashtags_ids @content_extra_hashtags_ids ||= ids_from_matches(content_matches.select { |match| match[1].present? }) end def content_matches @content_matches ||= content.scan(GLOBAL_ID_REGEX) end def ids_from_matches(matches) matches.map(&:first).map(&:to_i).uniq end end end end ```
Jiangsu Sainty may refer to: Jiangsu Sainty International Group, parent company of the football club and the listed company, now an intermediate holding company of Jiangsu F.C., formerly known as Jiangsu Sainty F.C., Chinese football club based in Nanjing Jiangsu Sainty (company), Chinese listed clothing company based in Nanjing
The Church of St Birinus is a Church of England church in Morgan's Vale, Wiltshire, England. It was designed by Charles Ponting and constructed in 1894–96. The church has been a Grade II listed building since 1985. History The Church of St Birinus was built as a chapel of ease to St Laurence in the parish of Downton. Prior to its construction, an earlier building doubling as a chapel of ease and infant school was erected in 1868–69 to serve the village. The infant school opened in January 1869 and the chapel opened for Divine service on 21 February 1869. The new church was built through the bequest of Rev. Edward Augustus Ferryman of Redlynch House, who died in 1884. He left £2,000 towards the construction of a church and £4,000 for its endowment, with the money to be made available on the death of his wife. Rev. Ferryman intended for the church to be built in memory of his uncle, Charles Theobold Maud who died in Bath in 1877. After Mrs. Ferryman died in December 1891, the new church scheme commenced. The chosen site for the church, next to the existing chapel/school, formed part of the land purchased in 1868. Plans for the church were drawn up by Charles Ponting of Marlborough and a local man, Charles Mitchell of Woodfalls, was hired as the builder. The foundation stone was laid by Horatio Nelson, the 3rd Earl Nelson, on 27 September 1894, and the completed church was consecrated by the Bishop of Salisbury, the Right Rev. John Wordsworth, on 1 February 1896. It cost £2,200 to build. The church used a harmonium until funds could be raised for an organ. It was made by Messrs. Conacher and Co of Huddersfield for £185, and dedicated by the Bishop of Salisbury on 19 December 1900. The church had no pulpit until 1901, when an anonymous donor enabled the construction of one by Messrs. Jones and Willis of London. The oak pulpit was dedicated on 30 June 1901. Architecture and fittings The Church of St Birinus is built of local red brick, with a tiled roof, and dressings in Bath stone. Designed for 160 persons, it is made up of a nave, chancel, organ chamber and west baptistery, the latter having a north vestry and south porch. There is a west tower with a louvred bellcote containing one bell. A hipped gablet above one of the buttresses contains a statue of St Birinus, which was modelled in clay by Miss. A. M. Palmer. The five-light east window by Heaton, Butler and Bayne (1895) is described as "fine Arts and Crafts" by Historic England, and contains three sections originally installed in the school chapel by Mrs. Ferryman in memory of her husband. The west end of the baptistery and the vestry have mullioned windows of oak. The floor of the nave, baptistery and vestry is paved with wood block, and the chancel and porch with tiles. The original font is of Bath stone and has an oak cover. Parish An ecclesiastical district was created for the church in 1915, from parts of Downton and Redlynch parishes. The benefice was united with that of St Mary's, Redlynch in 1968, and today the parish is one of six served by the Forest & Avon Team Ministry. References External links St Birinus Church of Morgan's Vale and Woodfalls Church of England church buildings in Wiltshire Grade II listed churches in Wiltshire Churches completed in 1896
```xml type HTTPMethod = 'GET' | 'HEAD' | 'POST' | 'PUT' | 'DELETE' | 'PATCH'; type SourceURL = string; type SourceBuffer = Buffer; type SourceBlob = Blob; type SourceDataBuffer = { data: Buffer; format: 'png' | 'jpg' }; type SourceURLObject = { uri: string; method: HTTPMethod; body: any; headers: any; credentials?: 'omit' | 'same-origin' | 'include'; }; type Source = | SourceURL | SourceBuffer | SourceBlob | SourceDataBuffer | SourceURLObject | undefined; type SourceFactory = () => Source; type SourceAsync = Promise<Source>; type SourceAsyncFactory = () => Promise<Source>; export type SourceObject = | Source | SourceFactory | SourceAsync | SourceAsyncFactory; ```
The Battle of Port Royal was one of the earliest amphibious operations of the American Civil War, in which a United States Navy fleet and United States Army expeditionary force captured Port Royal Sound, South Carolina, between Savannah, Georgia and Charleston, South Carolina, on November 7, 1861. The sound was guarded by two forts on opposite sides of the entrance, Fort Walker on Hilton Head Island to the south and Fort Beauregard on Phillip's Island to the north. A small force of four gunboats supported the forts, but did not materially affect the battle. The attacking force assembled outside of the sound beginning on November 3 after being battered by a storm during their journey down the coast. Because of losses in the storm, the army was not able to land, so the battle was reduced to a contest between ship-based guns and those on shore. The fleet moved to the attack on November 7, after more delays caused by the weather during which additional troops were brought into Fort Walker. Flag Officer Samuel F. Du Pont ordered his ships to keep moving in an elliptical path, bombarding Fort Walker on one leg and Fort Beauregard on the other; the tactic had recently been used effectively at the Battle of Hatteras Inlet. His plan soon broke down, however, and most ships took enfilading positions that exploited a weakness in Fort Walker. The Confederate gunboats put in a token appearance, but fled up a nearby creek when challenged. Early in the afternoon, most of the guns in the fort were out of action, and the soldiers manning them fled to the rear. A landing party from the flagship took possession of the fort. When Fort Walker fell, the commander of Fort Beauregard across the sound feared that his soldiers would soon be cut off with no way to escape, so he ordered them to abandon the fort. Another landing party took possession of the fort and raised the Union flag the next day. Despite the heavy volume of fire, loss of life on both sides was low, at least by standards set later during the American Civil War. Only eight were killed in the fleet and eleven on shore, with four other Southerners missing. Total casualties came to less than 100. Preparations Development of Northern strategy Early in the war, the U.S. Navy had the responsibility of blockading the Southern coastline, but found this task difficult when forced to rely on fueling and resupply ports in the North for its coal-fired steamships. The problems of the blockade were considered by a commission appointed by Secretary of the Navy Gideon Welles. Chairman of the commission was Capt. Samuel Francis Du Pont. The commission stated its views of the South Carolina coast in its second report, dated July 13. In order to improve the blockade of Charleston, they considered seizing a nearby port. They gave particular attention to three: Bull's Bay to the north of Charleston, and St. Helena Sound and Port Royal Sound to the south. The latter two would also be useful in the blockade of Savannah. They considered Port Royal to be the best harbor, but believed that it would be strongly defended and therefore were reluctant to recommend that it be taken. Southern preparations Shortly after the bombardment of Fort Sumter in Charleston Harbor had started the war, Confederate Brigadier General P. G. T. Beauregard did not believe that Port Royal Sound could be adequately defended, as forts on opposite sides of the sound would be too far apart for mutual support. Overruled by South Carolina Governor Francis Pickens, he drew up plans for two forts at the entrance. Soon called away to serve the Confederate Army in Virginia, he turned the task of implementing his plans over to Maj. Francis D. Lee of the South Carolina Army Engineers. Before the war, Lee had been an architect, and had designed several churches in Charleston. Work on the two forts began in July 1861, but progressed only slowly. Labor for the construction was obtained by requisitions of slave labor from local farms and plantations, which the owners were reluctant to provide. Construction was not complete when the attack came. Beauregard's plan was also altered because the heavy guns he wanted were not available. To compensate for the reduced weight of fire by increased volume, the number of guns in the water battery of Fort Walker was increased from seven columbiads to 12 guns of smaller caliber, plus a single . Fitting the increased number into the available space required that the traverses be eliminated. The battery was therefore vulnerable to enfilade. In addition to the 13 guns of the water battery, Fort Walker had another seven guns mounted to repel land attacks from the rear and three on the right wing. Two other guns were in the fort, but were not mounted. Fort Beauregard was almost as strong; it also had 13 guns that bore on the channel, plus six others for protection against land attacks. The garrisons were increased in size; 687 men were in and near Fort Wagner in mid-August. On November 6, another 450 infantry and 50 artillerymen were added, and 650 more came from Georgia the same day. Because of its isolated position, the garrison of Fort Beauregard could not be easily increased. The force on Philip's Island was 640 men, of whom 149 were in the fort and the remainder infantry defending against land assault. For lack of transportation, all of the late-arriving troops were retained at Fort Walker. While the forts were being built, the state of Georgia was forming a rudimentary navy by converting a few tugs and other harbor craft into gunboats. Although they could not face the ships of the US Navy on the open seas, their shallow draft enabled them to move freely about in the inland waters along the coasts of South Carolina and Georgia. They were commanded by Flag Officer Josiah Tattnall III. When the Georgia navy was transferred to and became part of the Confederate States Navy, Tattnall found himself in charge of the coastal defenses of both South Carolina and Georgia. He had four gunboats in the vicinity of Port Royal Sound; one was a converted coaster, and three were former tugs. Each mounted only two guns. Command Federal army and navy Throughout the summer of 1861, the task of blockading the entire Atlantic coast of the Confederacy was assigned to the U.S. Navy's Atlantic Blockading Squadron. Because of the great distances involved, the squadron was split in mid-September. Responsibility for the coast south of the North Carolina–South Carolina state line was given to the South Atlantic Blockading Squadron. Command of the new squadron was given to Du Pont, who henceforth was addressed as Flag Officer Du Pont. Du Pont did not assume command immediately, as he continued to prepare for the attack. As retaining possession of shore facilities would require land forces, getting the cooperation of the U.S. Army was among the first requirements. The War Department agreed to furnish 13,000 troops, to be commanded by Brigadier General Thomas W. Sherman. Sherman's force was organized into three brigades, under Brigadier Generals Egbert L. Viele, Isaac I. Stevens, and Horatio G. Wright. Serious planning was thereafter done by Du Pont, Sherman, Wright, and the Quartermaster General, Brigadier General Montgomery C. Meigs. Confederate army In the months preceding the battle, the army in South Carolina went through several changes in leadership. On May 27, 1861, Beauregard left, being called to serve with the Confederate States (CS) Army in Virginia. Command of the state volunteer forces was then transferred to Colonel Richard H. Anderson. Anderson was in turn replaced by Brigadier General Roswell S. Ripley of the CS Army, who on August 21, 1861 was assigned to command of the Department of South Carolina. The final relevant change at the top took place almost on the eve of battle, on November 5, 1861, when the coasts of South Carolina, Georgia, and East Florida were constituted a military department under the command of General Robert E. Lee. (General Lee was not closely related to Major Francis D. Lee, the engineer responsible for building Forts Walker and Beauregard.) None of these changes was particularly important, as most attention was given to more active parts of the war than Port Royal Sound. The most important change of command directly affecting the forts took place on October 17, 1861, when Brigadier General Thomas F. Drayton was assigned to the Third Military District of the Department of South Carolina, which meant that the forts were in his jurisdiction. Drayton, who was a member of a prominent Charleston family and a graduate of the United States Military Academy, remained in command through the actions of November 7. Whether he could have hastened the preparations of the forts for battle is debatable; the fact is that he did not. The expedition Although preparations for battle proceeded throughout the summer and early fall of 1861, the schedule proposed by the administration could not be met. As late as September 18, President Lincoln could still advocate a start date of October 1. Du Pont felt that the Navy Department was rushing him in without proper preparation. Despite his reservations, the force was assembled — the soldiers and their transports at Annapolis, Maryland, the sailors and warships at New York. The two branches rendezvoused at Hampton Roads. Bad weather delayed departure from there by another week, during which time Du Pont and Sherman were able to make final arrangements. Among the issues to be settled was the target; up until this time, the decision of whether to strike at Bull's Bay or Port Royal had not been made. Only after he was sure that the latter would meet future needs of the fleet, and Bull's Bay would not, did Du Pont finally commit the expedition to the attack on Port Royal. On October 28, 25 coal and ammunition vessels departed Hampton Roads, accompanied by two warships, and . The remainder of the fleet, including 17 warships and all of the army transports, put out to sea the next day. The full fleet of 77 vessels was the largest assemblage of ships that had ever sailed under the American flag; the distinction would not last long. In an effort to maintain secrecy, Du Pont had not told anyone other than his immediate staff the destination. He had given each captain a sealed envelope, to be opened only at sea. The message given to Captain Francis S. Haggerty of Vandalia is typical: "Port Royal, S. C., is the port of destination for yourself and the ships of your convoy." Efforts at secrecy notwithstanding, almost everything about the expedition except its target was known to the entire world. 2 days before departure of the main fleet, the New York Times carried a front-page article entitled "The Great Naval Expedition," in which the full order of battle down to regimental level was laid out for all to see. The article was repeated, word for word, in the Charleston newspapers of November 1. Although Du Pont and others muttered aloud about treason and leaks in high places, the article was in fact the product of straightforward journalism. The author had gained most of his information by mingling with soldiers and sailors. No one had thought to sequester the men from the populace, even though the loyalties of the citizens of Maryland and Hampton Roads were divided. (Perhaps some real espionage was also available. Although the destination was supposed to be unknown until after the fleet sailed, acting Confederate Secretary of War Judah P. Benjamin on November 1 telegraphed the South Carolina authorities that "the enemy's expedition is intended for Port Royal.") The fleet maintained its formation as it moved down the coast until it had passed Cape Hatteras. As it passed into South Carolina waters on November 1, however, the wind increased to gale force, and in mid-afternoon Du Pont ordered the fleet to disregard the order of sailing. Most of the ships managed to ride out the storm, but some had to abort their mission and return home for repairs, and others were lost. Gunboat had to jettison most of her guns in order to stay afloat. Three ships carrying food and ammunition were sunk or driven ashore without loss of life: Union, Peerless, and Osceola. Transport Governor, carrying 300 Marines, went down; most of her contingent were saved, but seven men were drowned or otherwise lost in the rescue. The scattered ships began to arrive at the entrance to Port Royal Sound on November 3, and continued to straggle in for the next four days. The first day, November 4, was devoted to preparing new charts for the sound. The Coast Survey vessel , under her civilian captain Charles Boutelle, accompanied by gunboats , , , and , entered the harbor and confirmed that the water was deep enough for all ships in the fleet. Confederate Flag Officer Josiah Tattnall III took his small flotilla, consisting of the gunboats CSS Savannah, Resolute, Lady Davis, and Sampson out to interfere with their measurements, but the superior firepower of the Union gunboats forced them to retire. Early in the morning of November 5, gunboats Ottawa, Seneca, Pembina, Curlew, Isaac Smith, and , made another incursion into the harbor, this time seeking to draw enemy fire so as to gauge their strength. Again the Confederate flotilla came out to meet them, and again they were driven back. At about the time that the gunboats returned to the anchorage and the captains of the warships assembled to formulate plans for the assault on the forts, General Sherman informed Du Pont that the army could not take part in the operation. The loss of his ships in the storm had deprived him of his landing boats as well as much of his needed ammunition. Furthermore, his transports were not combat loaded. Sherman would not commit his troops until the arrival of transport Ocean Express, carrying most of his small ammunition and heavy ordnance, and delayed by the storm. She would not arrive until after the battle was over. Unwilling to cancel the operation at this point, Du Pont ordered his fleet to attack, concentrating their fire on Fort Walker. As they moved in, however, flagship , drawing , grounded on Fishing Rip Shoal. By the time she was worked free, the day was too far gone to continue the attack. The weather on the next day, November 6, was stormy, so Du Pont postponed the attack for one more day. During the delay, Commander Charles Henry Davis, Du Pont's fleet captain and chief of staff, had the idea of keeping the ships in motion while bombarding the forts. This was a tactic that had recently been used successfully at the Battle of Hatteras Inlet. He presented his idea to the flag officer, who agreed. The plan as completed by Du Pont called for his fleet to enter the harbor at mid-channel. On the way in, they would engage both forts. After passing the forts, the heaviest ships would execute a turn to the left in column and go back against Fort Walker. Again past the fort, they would once more turn in column, and repeat the maneuver until the issue was decided. While the main fleet was thus engaged, five of his lighter gunboats would form a flanking column that would proceed to the head of the harbor and shield the rest of the fleet from Tattnall's flotilla. Battle On November 7, the air was calm and gave no further reason for delay. The fleet was drawn up into 2 columns and moved to the attack. The main body consisted of 9 ships with guns and one without. In order, they were flagship Wabash, , , Seminole, Pawnee, , Ottawa, Pembina, Isaac Smith, and Vandalia. Isaac Smith had jettisoned her guns during the storm, but she would now contribute by towing the sailing vessel Vandalia. Five gunboats formed the flanking column: , Seneca, Penguin, Curlew, and . Three other gunboats, , Mercury, and Penguin remained behind to protect the transports. The fight started at 09:26, when a gun in Fort Walker fired on the approaching fleet. (This first shell exploded harmlessly a short distance out of the muzzle.) Other shots followed, the fleet replied by firing on both forts, and the action became general. Shells from the fleet ripped into the forts, although many of them passed harmlessly overhead and landed well beyond. Because the motion of the ships disrupted their aim, most of the shots from the forts missed; generally, they aimed too high, sending the missiles that were on target into the masts and upper works of the vessels. The ships proceeded according to Du Pont's orders through the first turn, but then the plan fell apart. First to leave was the third ship in the main column, Mohican, under Commander Sylvanus W. Godon. Godon found that he could enfilade the water battery from a position safe from return fire, so he dropped out. Those following him were confused, so they also dropped out. Only Wabash and Susquehanna continued in the line of battle. The two ships made their second and third passes, and then were joined, inexplicably, by gunboat Bienville. The bombardment continued in this way until shortly after noon, when , delayed by the storm, put in her appearance. Her captain, Commander Percival Drayton, placed the ship in position to enfilade Fort Walker and joined the battle. Commander Drayton was the brother of Thomas F. Drayton, the Confederate general who commanded the forces ashore. Ashore, Fort Walker was suffering, with most of the damage being done by the ships that had dropped out of the line of battle. The exhausted gunners had only three guns left in the water battery, the others being disabled. About 12:30, General Drayton left the fort to collect some reserves to replace the men in the fort. Before leaving, he turned command over to Colonel William C. Heyward, with instructions to hold out as long as possible. As he was returning at 14:00, he found the men leaving the fort. They explained that they were almost out of powder for the guns, and had therefore abandoned their position. The departure of the soldiers from the fort was noticed by sailors in the fleet, and signal was soon passed to cease fire. A boat crew led by Commander John Rodgers went ashore under a flag of truce and found the fort abandoned. Rodgers therefore raised the Union flag. No effort was made to further press the men who had just left the fort, so the entire surviving Confederate force was permitted to escape to the mainland. Fort Beauregard had not suffered punishment as severe as that given to Fort Walker, but Colonel Robert Gill Mills Dunovant was concerned that the enemy could easily cut off his only line of retreat. When the firing at Fort Walker ceased and cheering in the fleet was heard, he realized that his command was in peril. Rather than be trapped, he ordered the troops on Philip's Island to abandon their positions. This they did without destroying their stores, because to do so would have attracted the attention of the fleet. Their departure was not noted, and not until a probing attack by gunboat Seneca elicited no reply was it realized that the fort was unmanned. As it was then very late in the day, raising the Union flag on Fort Beauregard was delayed until the following morning. Aftermath The battle being over, personnel losses could be determined. Despite the large expenditure of shot and shell by both sides, casualties were rather light. In the Southern forts, 11 men had been killed, 47 were wounded, and 4 were missing. In the Northern fleet, 8 were killed and 23 wounded. These numbers do not include those lost in the sinking of transport Governor. Immediately following the capture of the forts, the Union forces consolidated their victory by occupying Beaufort, and then moved north by next taking St. Helena Sound. The northward expansion continued up to the rivers on the south side of Charleston, where it was halted. Thus, the siege of Charleston, which continued until the last days of the war, can be said to have been initiated at Port Royal Sound. General Lee, who had been placed in command too late to affect the battle, decided that he would not contest the Union gunboats. He withdrew his forces from the coast and defended only vital interior positions. He was able to thwart Federal efforts to cut the vital railroad link between Savannah and Charleston. Lee's strategy was maintained even after he was recalled to Richmond and given command of the Army of Northern Virginia, where he earned his fame. Flag Officer Du Pont was widely honored for his part in the victory. When the rank of rear admiral was created for the U.S. Navy in July 1862, he was the second person (after David G. Farragut) to be promoted. He retained command of the South Atlantic Blockading Squadron, and directed continuing naval operations against the coast, including Charleston, Savannah, and Fernandina, Florida. To that end, he set up extensive works at Port Royal Sound for maintaining the fleet, including coaling, provisioning, and repair facilities. Unfortunately, Du Pont proved to be unduly cautious, and his reputation could not survive the failure of the fleet attack on Charleston of April 7, 1863. He soon thereafter retired from the service. General Sherman continued to serve in various capacities throughout the war, but without distinction. His abrasive personality made him difficult to work with, so he was shunted off to lesser commands. He lost his right leg in combat at Port Hudson. After a Union victory, Confederate Brigadier-General Thomas F. Drayton directed the evacuation of rebel forces from Hilton Head Island to the Bluffton mainland. Occupying Port Royal Harbor, the Union’s South Atlantic Blockading Squadron could then be monitored by rebel lookouts disbursed from Bluffton’s substantial picket headquarters. Bluffton’s geographic location resulted in it being the only strategic position on the east coast where the Confederates could gather direct intelligence on the Union squadron, which conducted crucial blockade operations along the southern coastline in the aftermath of the battle. General Drayton proved to be incompetent in the field, so he was put in various administrative positions. The aftermath of the battle and the resultant freeing of the slaves was described by John Greenleaf Whittier in his poem "At Port Royal." References Abbreviations used: ORA (Official records, armies): War of the Rebellion: a compilation of the official records of the Union and Confederate Armies. ORN (Official records, navies): Official records of the Union and Confederate Navies in the War of the Rebellion. Bibliography Ammen, Daniel, The Atlantic Coast. The Navy in the Civil War—II Charles Scribner's Sons, 1883. Reprint, Blue and Gray Press, n.d. Browning, Robert M. Jr., Success is all that was expected; the South Atlantic Blockading Squadron during the Civil War. Brassey's, 2002. Faust, Patricia L., Historical Time Illustrated encyclopedia of the Civil War. Harper and Row, 1986. Johnson, Robert Underwood, and Clarence Clough Buel, Battles and leaders of the Civil War. Century, 1887, 1888; reprint ed., Castle, n.d. Ammen, Daniel, "Du Pont and the Port Royal expedition," vol. I, pp. 671–691. Reed, Rowena, Combined operations in the Civil War. Naval Institute Press, 1978. US Navy Department, Official records of the Union and Confederate Navies in the War of the Rebellion. Series I: 27 volumes. Series II: 3 volumes. Washington: Government Printing Office, 1894–1922. Series I, volume 12 is most useful. US War Department, A compilation of the official records of the Union and Confederate Armies. Series I: 53 volumes. Series II: 8 volumes. Series III: 5 volumes. Series IV: 4 volumes. Washington: Government Printing Office, 1886–1901. Series I, volume 6 is most useful.The War of the Rebellion External links "The Egotistigraphy", by John Sanford Barnes. An autobiography, including his Civil War Union Navy service on USS Wabash, privately printed 1910. Internet edition edited by Susan Bainbridge Hay 2012 Port Royal Port Royal Port Royal Port Royal Beaufort County, South Carolina 1861 in the American Civil War 1861 in South Carolina November 1861 events
```javascript Difference between **.call** and **.apply** methods Method chaining Get query/url variables Easily generate a random `HEX` color Check if a document is done loading ```
"A Ride on the Big Dipper" is a 1967 Australian television play. It screened as part of Wednesday Theatre and had a running time of one hour. Plot Hugh Kenton, is a 25 year old draughtsman with an engineering firm who is assessed by an efficiency expert as having an all-time high rating as potential management material. He is sent to North Queensland to take charge of the company's branch office. Kenton rapidly proves that he is in deed a brilliant manager - far more so than his associates ever believed. Cast Terry McDermott as Clive Denning Peter Aanensen Alan Bickford Fay Kelton Lloyd Cunnington Production It was written by Newcastle journalist Ron Harrison. He later adapted it for radio. The radio version won an Awgie Award. It was shot in Melbourne at the ABC's studios in Ripponlea. Reception The Age said it "offered some fine parts and the actors did not disappoint." The Sydney Morning Herald said "it held a tense interest." The Bulletin called it "what TV drama should be. [Terry] McDermott gave a well-paced, intelligent performance as an efficiency - Frankenstein who got clobbered by his own mother in the cold, bloodless mayhem of business. Nothing novel or exciting in the plot, but everything so in seeing it in Australian terms; a believable drama of the times, with believable dialogue. As it was Harrison’s second TV play, and his first one-hour drama, I can only echo the ABC’s Phillip Mann, who said, "It was the kind of work we receive all too rarely, and we hope he intends to stay with it." A sense of drama seems to be the rare old some thing he's got, and here's hoping he is a stayer, because he seems to have the field to himself." References External links ''A Ride on the Big Dipper' at Austlit 1967 television plays 1967 Australian television episodes 1960s Australian television plays Wednesday Theatre (season 3) episodes
The Finnish women's national under-18 ice hockey team () is the national women's junior ice hockey team of Finland, which represents Finland at the International Ice Hockey Federation's Ice Hockey U18 Women's World Championship and other international U18 tournaments. The team is officially nicknamed the () and the nickname is regularly used in Finnish language media. U18 Women's World Championship record Team Current roster Roster for the 2023 IIHF U18 Women's World Championship. Head coach: Mira KuismaAssistant coaches: Heikki Kemppainen, Juho Lehto, Aku Perala (goalkeeper) World Championship player awards Best Defenseman 2020: Nelli Laitinen Best Forward 2019: Elisa Holopainen Best Goaltender 2011: Isabella Portnoj 2022: Emilia Kyrkkö All-Star Team 2013: Emma Nuutinen (F) 2019: Elisa Holopainen (F), Nelli Laitinen (D) 2020: Sanni Rantala (D) 2021: Emilia Kyrkkö (G), Sanni Vanhanen (F) 2023: Pauliina Salonen (F) Top-3 Players on Team 2008: Piia Räty (G), Linda Välimäki (F), Maiju Yliniemi (F) 2009: Susanna Airaksinen (G), Tiina Saarimäki (D), Tea Villilä (D) 2010: Isa Rahunen (D), Salla Rantanen (F), Susanna Tapani (F) 2011: Isabella Portnoj (G), Susanna Tapani (F), Saana Valkama (F) 2012: Anna Kilponen (D), Johanna Koivisto (D), Anni Rantanen (D) 2013: Anna Kilponen (D), Emma Nuutinen (F), Eveliina Suonpää (G) 2014: Anni Keisala (G), Marjut Klemola (D), Emmi Rakkolainen (F) 2015: Sanni Hakala (F), Anni Keisala (G), Nelli Salomäki (F) 2016: Sini Karjalainen (D), Petra Nieminen (F), Tiia Pajarinen (G) 2017: Sini Karjalainen (D), Jenniina Nylund (F), Jenna Silvonen (G) 2018: Sanni Ahola (G), Elisa Holopainen (F), Nelli Laitinen (D) 2019: Elisa Holopainen (F), Nelli Laitinen (D), Sanni Rantala (D) 2020: Nelli Laitinen (D), Sanni Rantala (D), Kiira Yrjänen (F) 2022: Oona Havana (F), Emilia Kyrkkö (G), Sanni Vanhanen (F) 2023: Pauliina Salonen (F), Tuuli Tallinen (D), Sanni Vanhanen (F) References Notes See also Finland women's national ice hockey team Naisten Liiga Women's ice hockey in Finland Under Women's national under-18 ice hockey teams
```c++ /// Source : path_to_url /// Author : liuyubobobo /// Time : 2022-01-13 #include <iostream> using namespace std; /// Simulation /// Time Complexity: O(n) /// Space Complexity: O(n) class Solution { public: int myAtoi(string s) { int i; for(i = 0; i < s.size() && s[i] == ' '; i ++); if(i == s.size()) return 0; bool pos = true; if(s[i] == '-') pos = false, i ++; else if(s[i] == '+') i ++; int j = i; for(j = i; j < s.size() && isdigit(s[j]); j ++); long long num = get_num(s.substr(i, j - i)); if(pos) return min(num, (long long)INT_MAX); return max(-num, (long long)INT_MIN); } private: long long get_num(const string& s){ long long res = 0; for(char c: s){ res = res * 10 + (c - '0'); if(res > INT_MAX) return res; } return res; } }; int main() { cout << Solution().myAtoi("42") << endl; // 42 cout << Solution().myAtoi(" -42") << endl; // -42 cout << Solution().myAtoi("4193 with words") << endl; // 4193 cout << Solution().myAtoi("+1") << endl; // 1 return 0; } ```
```css Position elements with `position: sticky` Vertical centering fluid blocks Inherit `box-sizing` Equal width table cells `direction`: `column-reverse` ```
Leonardo Grosso (born 1 April 1983) is an Argentine politician who has been a member of the Argentine Chamber of Deputies for Buenos Aires Province since 2011. Grosso is a member and one of the most prominent faces of the Evita Movement, a peronist political and social organization. Early life and education Grosso was born on 1 April 1983 in San Martín, a city in the Greater Buenos Aires conurbation. He started his political activism in the JP Evita, the Evita Movement's youth wing, in 2005. He is currently studying political science at the National University of General San Martín (UNSAM). Political career Grosso was first elected to the Chamber of Deputies in 2011 in the Front for Victory list in Buenos Aires Province, in which he was the 20th candidate. He was elected and sat in the Front for Victory bloc, aligned with the government of then-president Cristina Fernández de Kirchner. He was re-elected in 2015, this time placing 13th in the FPV list. Ahead of the 2017 legislative election, Grosso and the rest of the Evita Movement broke ranks with the FPV and instead backed the unsuccessful senatorial candidacy of former Interior Minister Florencio Randazzo; in the Chamber of Deputies, the Evita Movement formed the Peronism for Victory bloc, which later formed part of the Red por Argentina parliamentary group alongside, among others, deputies Felipe Solá and Victoria Donda. Ahead of the 2019 general election, the Evita Movement joined the Frente de Todos (FDT) to back the presidential candidacy of Alberto Fernández; Grosso was 3rd in the FDT deputies list in Buenos Aires Province and was easily re-elected. In 2023, he announced his intention to run for the mayorship of General San Martín Partido. Personal life In 2019 Grosso married his long-term partner, Guillermo Castro, becoming one of the few members of the Argentine National Congress to marry a same-sex partner under the 2010 same-sex marriage law, after Analuz Carol and Osvaldo López. Grosso has stated that he identifies as marica. Grosso is a vocal supporter of the legalization of abortion in Argentina, and voted in favor of the 2018 Voluntary Termination of Pregnancy Bill during its treatment by the Chamber of Deputies. Electoral history Legislative References External links Official website (in Spanish) 1983 births Living people Members of the Argentine Chamber of Deputies elected in Buenos Aires Province People from San Martín, Buenos Aires LGBT legislators Argentine LGBT politicians Argentine gay men Gay politicians
Jehud pronounced Yehud, was an administrative province of the Achaemenid Persian Empire. It was located in the district of the Tribe of Dan. It is commonly believed to have been located at the same place as the modern El Yehudiye or Yehud, about 13 km east of Jaffa. Some suggest that the place instead could have been located close to Yazur/Azor, southeast of Jaffa. This is believed to have been the place that is called Azuru by the Assyrian king Sennacherib. References Hebrew Bible cities Tribe of Dan
Yehuda Green ()(born 1959) is a Hasidic Jewish singer and composer, and hazzan at the Carlebach Shul on Manhattan's Upper West Side. Singing in the style of singer-rabbi Shlomo Carlebach (1925–1994), he has been called "more Carlebach than Carlebach", and is acclaimed for his heartfelt renditions of Carlebach's songs. Biography Yehuda Green was born in the Mea Shearim area of Jerusalem to a family of Breslover Hasidim. He heard his first Shlomo Carlebach album when he was five years old, and was encouraged by his father to sing Carlebach's composition, "Mimkomcha" ("From Your Place"), again and again. He enjoyed singing Carlebach's songs at the Lubavitcher yeshiva that he attended. In 1969 he attended his first Carlebach performance, and began frequenting Carlebach's Melaveh Malkah performances on Saturday nights on Mount Zion whenever the singer was in Israel. After his bar mitzvah, Green went to hear Carlebach lead the prayers at the Western Wall on Friday nights. In 1980 Green attended a kumzits in Golders Green, London, where Carlebach was performing. Carlebach invited him to sing with him at a concert he was giving the following night. Green says he was so embarrassed that he agreed to perform only from behind a curtain. Green made his first recording of Carlebach songs in the early 1990s, and asked Carlebach for his opinion. The singer wasn't happy with the arrangements, which put Green in a difficult position with his music arranger. In the end, the material was destroyed in a fire at the recording studio. Music career Green released his first album, Land of Your Soul, in 2007. This and subsequent albums feature a combination of Green's own compositions and Carlebach pieces. One of the tracks on Green's first album, "Nishmas Kol Chai", became a favorite at kumzits gatherings in the Orthodox Jewish world, and Green acquired a following in Hasidic communities in Williamsburg and Monroe. Green attracts both religious and secular fans to his concerts. He was the headliner at the two "Kumzits on the Hudson" concerts in 2008 and 2009. In 2014 he was the featured singer at a Yom HaAtzmaut gala at the Terrace on the Park in Queens, New York. Green frequently performs at charity benefits. He was one of over 30 Orthodox Jewish superstars appearing on the 2010 Unity for Justice album to benefit the legal defense of Sholom Rubashkin. He was a featured singer at the HASC 22 "A Time for Music" concert in 2009. At the HASC 24 "A Time for Duets" concert in 2011, he sang an on-stage duet with Jewish singer Ohad and a virtual duet with Shlomo Carlebach, as the latter appeared on video footage. Green also lends his talents to annual musical evenings for the elderly and special needs population in Crown Heights. Hazzan In the late 1990s Green was asked to lead the High Holy Days prayers at the Carlebach Shul on the Upper West Side of Manhattan. He became an official hazzan at that synagogue in 1998. He leads the Shabbat prayer services twice monthly. His Carlebach-style Selichot prayers for the Carlebach Shul, which are held at the West Side Institutional Synagogue with guitar and violin accompaniment, attract upwards of 1,000 participants. Discography Land of Your Soul (2007) Yearning (2010) Peace in My Heart (2012) Barcheini (2015) Neshameleh (2018) References External links "Yehuda Green and Reb Shlomo Carlebach at HASC 24" (video) "Yehuda Green Moishele's Niggun (Kadish) at the Carlebach Shul First night of Selichos" (video) Israeli Orthodox Jews American Orthodox Jews Hasidic singers Jewish songwriters Musicians from Jerusalem 1959 births Living people Jewish folk singers Shlomo Carlebach
```markdown # Acknowledgements This application makes use of the following third party libraries: Generated by CocoaPods - path_to_url ```
```c /** * @license Apache-2.0 * * * * path_to_url * * Unless required by applicable law or agreed to in writing, software * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. */ #include "stdlib/math/strided/special/sinv.h" #include <stdint.h> #include <stdio.h> int main( void ) { // Create an input strided array: const float x[] = { -20.0, -1.0, 2.0, 4.0, 10.0, 100.0, 0.0, -0.0 }; // Create an output strided array: float y[] = { 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0 }; // Specify the number of elements: const int64_t N = 4; // Specify the stride lengths: const int64_t strideX = 2; const int64_t strideY = 2; // Compute the results: stdlib_strided_sinv( N, x, strideX, y, strideY ); // Print the results: for ( int i = 0; i < 8; i++ ) { printf( "y[ %i ] = %f\n", i, y[ i ] ); } } ```
```javascript 'use strict'; exports.httpclient = { useHttpClientNext: true, request: { timeout: 99, }, }; ```
Andy Geddes (27 October 1959 – 22 March 2022) was a Scottish footballer, who played for Dundee in the Scottish Football League and Wits University in South Africa. He was born in Paisley. Geddes died of cancer on 16 March 2022. References External links 1959 births 2022 deaths Footballers from Paisley, Renfrewshire Men's association football forwards Scottish men's footballers Leicester City F.C. players Dundee F.C. players Scottish Football League players Bidvest Wits F.C. players
The , is a public university in Shizuoka City, Shizuoka Prefecture, Japan. Overview The University of Shizuoka was created through the amalgamation of three former public universities in 1987 and was expanded to comprise five colleges. These are the School of Pharmaceutical Sciences, the School of Food and Nutritional Sciences, the Faculty of International Relations, the School of Administration and Informatics and the School of Nursing. In addition to the undergraduate programs offered in the various departments of these colleges, the university also maintains graduate schools consisting of the Graduate School of Pharmaceutical Sciences, the Graduate School of Nutritional and Environmental Sciences, the Graduate School of International Relations, the Graduate School of Administration and Informatics and the Graduate School of Nursing, as well as a variety of research institutes, inter-disciplinary centers and other research centers. The university also operates a two-year junior college, which is on a separate campus from the main university. In 2011, the Graduate School of Management and Information was reorganized into the Graduate School of Management and Information of Innovation. In 2012, the Graduate School of Pharmaceutical Sciences and the Graduate School of Nutritional and Environmental Sciences were merged and reorganized into the Graduate School of Integrated Pharmaceutical and Nutritional Sciences, an educational organization, the Graduate Division of Pharmaceutical Sciences and the Graduate Division of Nutritional and Environmental Sciences, research organizations. The University of Shizuoka is located in the prefectural capital of Shizuoka. Kusanagi Campus is near Kusanagi Station on the JR Tōkaidō Main Line, six minutes from Shizuoka Station. It is roughly halfway between the town centers of the former cities of Shimizu and Shizuoka (which were merged to form a single city in 2003). It forms an important part of a major cultural and educational complex which also includes Shizuoka Prefectural Central Library and Shizuoka Prefectural Museum of Art. The Japanese name of the university is Shizuoka-ken ritsu Daigaku (静岡県立大学), which translates literally as "Prefectural University of Shizuoka." Since the English version of the Japanese term prefecture is unfamiliar to many English speakers, the university's English name was simplified to the "University of Shizuoka." This leads to some confusion, in English at least, since another nearby national university has a very similar name in English (that institution is ). History Pharmacy school (old school system) was founded by Terukichi Iwasaki in 1916. It was a that was an institution of higher education in the Empire of Japan. In those days, pharmacy schools for women were very rare in the Empire of Japan. Iwasaki believed that higher education for women was important. Iwasaki ran Iwasaki Eye Clinic in Takajōmachi, Shizuoka City, Shizuoka Prefecture, and Shizuoka Women's School of Pharmacy established at this clinic building. Iwasaki became the Principal and was planning to move Shizuoka Women's School of Pharmacy to a new campus in Kawarabachō, Shizuoka City, Shizuoka Prefecture. But Iwasaki died suddenly in 1925. Kōtarō Shinoda became the Principal in 1926. Shinoda revived Shizuoka Women's School of Pharmacy. Shinoda promoted the construction of the Main Building at Kawarabacho Campus. The Main Building was completed in 1930. Specialized school (old school system) Shizuoka Women's School of Pharmacy was upgraded from a pharmacy school to a , and was established in 1945. The specialized school was an institution of higher education in the Empire of Japan. In 1950, Shizuoka Women's College of Pharmacy was coeducational and became . After the World War II, specialized schools under the old school system were required to transition to universities under the new school system. Shizuoka College of Pharmacy was run by a foundation, but its finances were unstable. To solve this problem, the College was transferred to Shizuoka Prefectural Government. In 1952, Shizuoka College of Pharmacy was transformed from a private specialized school to public specialized school and became . University (now school system) Shizuoka Prefectual College of Pharmacy was upgraded from a specialized school to a , and was established in 1953. On the other hand was a new founded by Shizuoka Prefectual Government in 1951. In addition, was a new university founded by Shizuoka Prefectual Government in 1967. In 1987, Shizuoka College of Pharmacy, Shizuoka Women's University and Shizuoka Women's College were merged to form the University of Shizuoka. In 2000, Hamamatsu Campus of the University of Shizuoka became independent as . On April 1, 2007, Shizuoka Prefectural University Corporation was established by Shizuoka Prefectural Government. Until March 31, 2007, the University of Shizuoka had been administered by Shizuoka Prefectural Government, but since April 1, 2007, it has been administered by Shizuoka Prefectural University Corporation. In 2012, the University of Shizuoka absorbed research functions of . On December 10, 2018, Tasuku Honjo, Advisor to Shizuoka Prefectural University Corporation, received a medal and certificate for Nobel Prize in Physiology or Medicine. Organization Under graduate School of Pharmaceutical Sciences Division of Pharmaceutical Sciences Division of Pharmacy School of Food and Nutritional Sciences Department of Food Science and Biotechnology Department of Nutrition and Life Sciences Department of Environmental and Life Sciences School of International Relations Department of International Relations Department of International Languages and Cultures School of Management and Information Department of Management and Information School of Nursing Department of Nursing Graduate Graduate School of Integrated Pharmaceutical and Nutritional Sciences Graduate Program in Pharmacy Graduate Program in Pharmaceutical Sciences Graduate Program in Pharmaceutical and Nutritional Sciences Graduate Program in Food and Nutritional Sciences Graduate Program in Environmental Health Sciences Graduate Division of Pharmaceutical Sciences Graduate Division of Nutritional and Environmental Sciences Graduate School of International Relations Division of International Relations Division of Comparative Culture Graduate School of Management and Information of Innovation Division of Management and Information of Innovation Graduate School of Nursing Division of Nursing Library University Library Research institute Health Support Center Information Technology Center Language and Communication Research Center Center for Promotion of Gender Equality Global Center for Asian and Regional Research Fuji-no-Kuni Center for Future Education Institute of Traditional Chinese Medicine, School of Pharmaceutical Sciences Medicinal Plant Garden, School of Pharmaceutical Sciences Center for Nursing Professional Development, School of Nursing Center for Drug Discovery, Graduate Division of Pharmaceutical Sciences Center for Pharma-Food Research, Graduate Division of Pharmaceutical Sciences Food and Environment Research Center, Graduate Division of Nutritional and Environmental Sciences Tea Science Center, Graduate Division of Nutritional and Environmental Sciences Center for Korean Studies, Graduate School of International Relations Wider Europe Research Center, Graduate School of International Relations Center for Global Studies, Graduate School of International Relations Center for Regional Management Studies, Graduate School of Management and Information of Innovation Center for Health Services Management Studies, Graduate School of Management and Information of Innovation Research Center for ICT Innovation, Graduate School of Management and Information of Innovation Tourism Research Center, Graduate School of Management and Information of Innovation Administration Offices Management Strategy Department General Affairs Department Education Research Promotion Department Student Affairs Department Junior college Department of Dental Hygiene Department of Social Welfare Division of Social Welfare Division of Care Welfare Department of Child Studies Chronology 1916 - Shizuoka Women's School of Pharmacy was founded. 1945 - Reorganized into Shizuoka Women's College of Pharmacy. 1950 - Reorganized into Shizuoka College of Pharmacy. 1951 - Shizuoka Women's College was founded. 1952 - Reorganized into Shizuoka Prefectual College of Pharmacy. 1953 - Reorganized into Shizuoka College of Pharmacy. 1967 - Shizuoka Women's University was founded. 1987 - University of Shizuoka was founded. Chart Chairmen of the board of directors Presidents Notable alumni and faculty members See also Shizuoka University – a national university in Shizuoka City, Shizuoka Prefecture, Japan References Notes Sources External links 静岡県公立大学法人 静岡県立大学 – Japanese Website. UNIVERSITY OF SHIZUOKA – English Website. University University Public universities in Japan Universities and colleges established in 1987 1987 establishments in Japan
Aggro-Phobia is the fourth studio album by Suzi Quatro, recorded in the Autumn of 1976. It is the only one of her albums to be co-produced by Mickie Most. The song "Tear Me Apart" reached No. 27 on the UK Singles Chart in October 1977. Writing for Bomp!, music critic Ken Barnes called it "excellent" and "superior to [her] earlier hits". Track listing "Heartbreak Hotel" (Elvis Presley, Mae Boren Axton, Tommy Durden) – 3:48 "Don't Break My Heart" (Suzi Quatro, Len Tuckey) – 2:53 "Make Me Smile (Come Up and See Me)" (Steve Harley) – 3:43 "What's It Like to Be Loved" (Quatro, Tuckey) – 3:13 "Tear Me Apart" (Mike Chapman, Nicky Chinn) – 2:59 "The Honky Tonk Downstairs" (Dallas Frazier) – 3:00 "Half as Much as Me" (Quatro, Tuckey) – 4:12 "Close the Door" (Quatro, Tuckey) – 3:47 "American Lady" (Quatro, Tuckey) – 3:41 "Wake Up Little Susie" (Felice Bryant) – 2:49 Personnel Suzi Quatro – lead vocals, bass guitar, writer Len Tuckey – lead guitar, backing vocals, writer Dave Neal – drums, backing vocals Mike Deacon – keyboards, backing vocals Mike Chapman – producer, writer Nicky Chinn – writer Mickie Most – producer Charts References Suzi Quatro albums Rak Records albums Albums produced by Mike Chapman Albums produced by Mickie Most 1976 albums
```xml <?xml version="1.0" encoding="utf-8"?> <!-- ~ ~ ~ path_to_url ~ ~ Unless required by applicable law or agreed to in writing, software ~ WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. --> <com.google.android.material.textview.MaterialTextView xmlns:android="path_to_url" xmlns:app="path_to_url" android:layout_width="match_parent" android:layout_height="wrap_content" android:textAppearance="@style/TestStyleWithLineHeight" app:lineHeight="@dimen/material_text_view_test_line_height_override" /> ```
Marianne Mantell ( Roney; November 23, 1929 – January 22, 2023) was an American writer and audiobook executive, who founded Caedmon Audio together with Barbara Holdridge. Early life Mantell was born in Berlin on November 23, 1929 to a Jewish family – her father Max Roney was an Austrian mechanical engineer, and her mother Serena a Hungarian-born bookkeeper. The family fled Nazi Germany in the late 1930s, settling first in London, then in New York since 1941. In New York, Mantell graduated from the High School of Music & Art and then from Hunter College with a degree in Greek. Career As a freelance writer, Mantell composed liner notes and translated opera librettos. After she failed to persuade records companies to publish poetry recordings, she founded her own recording company, Caedmon (named after the medieval poet) in 1952, together with her college classmate Holdridge. Caedmon became a successful venture because Mantell and Holdridge managed to convince leading writers and poets to record their works for them. It specialized in contemporary literature and poetry recordings, becoming the first major audiobook label and the period's only women-owned records company. In the early 1970s, Mantell and Holdridge sold Caedmon to D.C. Heath (now part of HarperAudio). Mantell then started a documentary film distribution company together with her husband. Personal life and death Marianne Roney married the PR executive and documentary filmmaker Harold Mantell in 1956. The couple had a daughter, Eva, and three sons, Stephen (died 2009), Michael, and David (died 2011). Marianne Mantell died on January 22, 2023, at the age of 93. References 1929 births 2023 deaths American Jews American media executives American record producers American women company founders Audiobook companies and organizations
Clara Vázquez (born 27 April 1961) is a Puerto Rican softball player. She competed in the women's tournament at the 1996 Summer Olympics. As well as competing at the Olympics, Vázquez was part of Puerto Rico's team that won silver medals at the 1987 Pan American Games and the 1995 Pan American Games. In 2003, she was inducted into the World Baseball Softball Confederation's hall of fame. References External links 1961 births Living people Puerto Rican softball players Olympic softball players for Puerto Rico Softball players at the 1996 Summer Olympics Place of birth missing (living people)
```objective-c #pragma once #include <type_traits> namespace search::multivalue { template <typename T> class WeightedValue; /* * Check for the presence of a weight. */ template <typename T> struct is_WeightedValue : std::false_type {}; template <typename T> struct is_WeightedValue<WeightedValue<T>> : std::true_type {}; template <typename T> inline constexpr bool is_WeightedValue_v = is_WeightedValue<T>::value; /* * Extract inner type. */ template <typename T> struct ValueType { using type = T; }; template <typename T> struct ValueType<WeightedValue<T>> { using type = T; }; template <typename T> using ValueType_t = typename ValueType<T>::type; } ```
```scala // THIS FILE IS AUTO-GENERATED. DO NOT EDIT package ai.verta.swagger._public.modeldb.model import scala.util.Try import net.liftweb.json._ import ai.verta.swagger._public.modeldb.model.IdServiceProviderEnumIdServiceProvider._ import ai.verta.swagger._public.modeldb.model.UacFlagEnum._ import ai.verta.swagger.client.objects._ case class ModeldbAddComment ( date_time: Option[BigInt] = None, entity_id: Option[String] = None, message: Option[String] = None ) extends BaseSwagger { def toJson(): JValue = ModeldbAddComment.toJson(this) } object ModeldbAddComment { def toJson(obj: ModeldbAddComment): JObject = { new JObject( List[Option[JField]]( obj.date_time.map(x => JField("date_time", JInt(x))), obj.entity_id.map(x => JField("entity_id", JString(x))), obj.message.map(x => JField("message", JString(x))) ).flatMap(x => x match { case Some(y) => List(y) case None => Nil }) ) } def fromJson(value: JValue): ModeldbAddComment = value match { case JObject(fields) => { val fieldsMap = fields.map(f => (f.name, f.value)).toMap ModeldbAddComment( // TODO: handle required date_time = fieldsMap.get("date_time").map(JsonConverter.fromJsonInteger), entity_id = fieldsMap.get("entity_id").map(JsonConverter.fromJsonString), message = fieldsMap.get("message").map(JsonConverter.fromJsonString) ) } case _ => throw new IllegalArgumentException(s"unknown type ${value.getClass.toString}") } } ```
```java package com.journaldev.servlet.dao; import com.journaldev.servlet.model.User; public interface UserDAO { public int createUser(User user); public User loginUser(User user); } ```
Youssef Khanfar Al-Shakali (born 1 January 1972) is an Omani cyclist. He competed in the men's individual road race at the 1996 Summer Olympics. References 1972 births Living people Omani male cyclists Olympic cyclists for Oman Cyclists at the 1996 Summer Olympics Place of birth missing (living people)
```java package com.kalessil.phpStorm.phpInspectionsEA.inspectors.codeStyle; import com.intellij.codeInspection.LocalQuickFix; import com.intellij.codeInspection.ProblemDescriptor; import com.intellij.codeInspection.ProblemsHolder; import com.intellij.openapi.project.Project; import com.intellij.psi.*; import com.jetbrains.php.lang.lexer.PhpTokenTypes; import com.jetbrains.php.lang.psi.PhpPsiElementFactory; import com.jetbrains.php.lang.psi.elements.PhpEchoStatement; import com.jetbrains.php.lang.psi.elements.PhpPrintExpression; import com.kalessil.phpStorm.phpInspectionsEA.openApi.BasePhpElementVisitor; import com.kalessil.phpStorm.phpInspectionsEA.openApi.BasePhpInspection; import com.kalessil.phpStorm.phpInspectionsEA.utils.MessagesPresentationUtil; import com.kalessil.phpStorm.phpInspectionsEA.utils.OpenapiTypesUtil; import org.jetbrains.annotations.NotNull; import java.util.stream.Collectors; import java.util.stream.Stream; /* * This file is part of the Php Inspections (EA Extended) package. * * (c) Vladimir Reznichenko <kalessil@gmail.com> * * For the full copyright and license information, please view the LICENSE * file that was distributed with this source code. */ public class ShortEchoTagCanBeUsedInspector extends BasePhpInspection { private static final String message = "'<?= ... ?>' could be used instead."; @NotNull @Override public String getShortName() { return "ShortEchoTagCanBeUsedInspection"; } @NotNull @Override public String getDisplayName() { return "Short echo tag can be used"; } @Override @NotNull public PsiElementVisitor buildVisitor(@NotNull final ProblemsHolder holder, boolean isOnTheFly) { return new BasePhpElementVisitor() { @Override public void visitPhpEchoStatement(@NotNull PhpEchoStatement echo) { this.analyze(echo, echo); } @Override public void visitPhpPrint(@NotNull PhpPrintExpression print) { final PsiElement parent = print.getParent(); this.analyze(print, OpenapiTypesUtil.isStatementImpl(parent) ? parent : print); } private void analyze(@NotNull PsiElement target, @NotNull PsiElement context) { PsiElement openingTag = context.getPrevSibling(); if (openingTag instanceof PsiWhiteSpace) { openingTag = openingTag.getPrevSibling(); } if (OpenapiTypesUtil.is(openingTag, PhpTokenTypes.PHP_OPENING_TAG)) { PsiElement closingTag = context.getNextSibling(); if (closingTag instanceof PsiWhiteSpace) { closingTag = closingTag.getNextSibling(); } if (OpenapiTypesUtil.is(closingTag, PhpTokenTypes.PHP_CLOSING_TAG)) { holder.registerProblem( target.getFirstChild(), MessagesPresentationUtil.prefixWithEa(message), new UseShortEchoTagInspector(holder.getProject(), openingTag, context) ); } } } }; } private static final class UseShortEchoTagInspector implements LocalQuickFix { private static final String title = "Use '<?= ... ?>' instead"; private final SmartPsiElementPointer<PsiElement> expression; private final SmartPsiElementPointer<PsiElement> tag; private UseShortEchoTagInspector(@NotNull Project project, @NotNull PsiElement tag, @NotNull PsiElement expression) { super(); final SmartPointerManager factory = SmartPointerManager.getInstance(project); this.tag = factory.createSmartPsiElementPointer(tag); this.expression = factory.createSmartPsiElementPointer(expression); } @NotNull @Override public String getName() { return MessagesPresentationUtil.prefixWithEa(title); } @NotNull @Override public String getFamilyName() { return getName(); } @Override public void applyFix(@NotNull final Project project, @NotNull final ProblemDescriptor descriptor) { final PsiElement target = descriptor.getPsiElement(); if (target != null && !project.isDisposed()) { final PsiElement tag = this.tag.getElement(); final PsiElement expression = this.expression.getElement(); if (tag != null && expression != null) { final PsiElement newTag = PhpPsiElementFactory.createFromText(project, PhpTokenTypes.PHP_ECHO_OPENING_TAG, "?><?=?>"); final String arguments = Stream.of(target.getParent().getChildren()).map(PsiElement::getText).collect(Collectors.joining(", ")); final PsiElement echo = PhpPsiElementFactory.createFromText(project, PhpEchoStatement.class, String.format("echo %s", arguments)); if (newTag != null && echo != null) { echo.getFirstChild().delete(); expression.replace(echo); tag.replace(newTag); } } } } } } ```
is a Japanese voice actor affiliated with Stardust Promotion. He is known for his roles as Cestvs in Cestvs: The Roman Fighter and Yatora Yaguchi in Blue Period. Biography Hiromu Mineta was born in Yamagata Prefecture on June 24, 1995. Before working as a voice actor, he did cosplaying, including recreating the cover of Maid Sama! with Nogizaka46's Minami Hoshino to celebrate the release of the series' 16th volume. In 2021, Mineta received his first lead role, Cestvs in Cestvs: The Roman Fighter. He also voiced the main protagonist Yatora Yaguchi in the anime adaptation of Blue Period. Filmography Animated series 2016 Orange as Nakayama 2017 Seiren as School boy Code: Realize − Guardian of Rebirth as Soldier 2018 How to Keep a Mummy as Tanaka Tokyo Ghoul: Re as Toma Higemaru 2021 Cestvs: The Roman Fighter as Cestvs Star Wars: Visions as Ethan Blue Period as Yatora Yaguchi 2022 Futsal Boys!!!!! as Louis Kashiragi 2023 Giant Beasts of Ars as Meran Technoroid Overmind as Kei Video games 2020 Project Sekai: Colorful Stage! feat. Hatsune Miku as Koutaro Mita Ikémen Prince: Beauty and Her Beast as Rio Ortiz TBA Futsal Boys!!!!! High-Five League as Louis Kashiragi Other 2014 Gurren Lagann stage play as Viral 2020 Ayakashi Triangle vomic as Matsuri Kazamaki References External links Official agency profile 1995 births Living people Cosplayers Japanese male video game actors Japanese male voice actors Male voice actors from Yamagata Prefecture Stardust Promotion artists
```c /* alloca.c -- allocate automatically reclaimed memory (Mostly) portable public-domain implementation -- D A Gwyn This implementation of the PWB library alloca function, which is used to allocate space off the run-time stack so that it is automatically reclaimed upon procedure exit, was inspired by discussions with J. Q. Johnson of Cornell. J.Otto Tennant <jot@cray.com> contributed the Cray support. There are some preprocessor constants that can be defined when compiling for your specific system, for improved efficiency; however, the defaults should be okay. The general concept of this implementation is to keep track of all alloca-allocated blocks, and reclaim any that are found to be deeper in the stack than the current invocation. This heuristic does not reclaim storage as soon as it becomes invalid, but it will do so eventually. As a special case, alloca(0) reclaims storage without allocating any. It is a good idea to use alloca(0) in your main control loop, etc. to force garbage collection. */ #include <config.h> #include <alloca.h> #include <string.h> #include <stdlib.h> #ifdef emacs # include "lisp.h" # include "blockinput.h" # ifdef EMACS_FREE # undef free # define free EMACS_FREE # endif #else # define memory_full() abort () #endif /* If compiling with GCC 2, this file's not needed. */ #if !defined (__GNUC__) || __GNUC__ < 2 /* If someone has defined alloca as a macro, there must be some other way alloca is supposed to work. */ # ifndef alloca # ifdef emacs # ifdef static /* actually, only want this if static is defined as "" -- this is for usg, in which emacs must undefine static in order to make unexec workable */ # ifndef STACK_DIRECTION you lose -- must know STACK_DIRECTION at compile-time /* Using #error here is not wise since this file should work for old and obscure compilers. */ # endif /* STACK_DIRECTION undefined */ # endif /* static */ # endif /* emacs */ /* If your stack is a linked list of frames, you have to provide an "address metric" ADDRESS_FUNCTION macro. */ # if defined (CRAY) && defined (CRAY_STACKSEG_END) long i00afunc (); # define ADDRESS_FUNCTION(arg) (char *) i00afunc (&(arg)) # else # define ADDRESS_FUNCTION(arg) &(arg) # endif /* Define STACK_DIRECTION if you know the direction of stack growth for your system; otherwise it will be automatically deduced at run-time. STACK_DIRECTION > 0 => grows toward higher addresses STACK_DIRECTION < 0 => grows toward lower addresses STACK_DIRECTION = 0 => direction of growth unknown */ # ifndef STACK_DIRECTION # define STACK_DIRECTION 0 /* Direction unknown. */ # endif # if STACK_DIRECTION != 0 # define STACK_DIR STACK_DIRECTION /* Known at compile-time. */ # else /* STACK_DIRECTION == 0; need run-time code. */ static int stack_dir; /* 1 or -1 once known. */ # define STACK_DIR stack_dir static int find_stack_direction (int *addr, int depth) { int dir, dummy = 0; if (! addr) addr = &dummy; *addr = addr < &dummy ? 1 : addr == &dummy ? 0 : -1; dir = depth ? find_stack_direction (addr, depth - 1) : 0; return dir + dummy; } # endif /* STACK_DIRECTION == 0 */ /* An "alloca header" is used to: (a) chain together all alloca'ed blocks; (b) keep track of stack depth. It is very important that sizeof(header) agree with malloc alignment chunk size. The following default should work okay. */ # ifndef ALIGN_SIZE # define ALIGN_SIZE sizeof(double) # endif typedef union hdr { char align[ALIGN_SIZE]; /* To force sizeof(header). */ struct { union hdr *next; /* For chaining headers. */ char *deep; /* For stack depth measure. */ } h; } header; static header *last_alloca_header = NULL; /* -> last alloca header. */ /* Return a pointer to at least SIZE bytes of storage, which will be automatically reclaimed upon exit from the procedure that called alloca. Originally, this space was supposed to be taken from the current stack frame of the caller, but that method cannot be made to work for some implementations of C, for example under Gould's UTX/32. */ void * alloca (size_t size) { auto char probe; /* Probes stack depth: */ register char *depth = ADDRESS_FUNCTION (probe); # if STACK_DIRECTION == 0 if (STACK_DIR == 0) /* Unknown growth direction. */ STACK_DIR = find_stack_direction (NULL, (size & 1) + 20); # endif /* Reclaim garbage, defined as all alloca'd storage that was allocated from deeper in the stack than currently. */ { register header *hp; /* Traverses linked list. */ # ifdef emacs BLOCK_INPUT; # endif for (hp = last_alloca_header; hp != NULL;) if ((STACK_DIR > 0 && hp->h.deep > depth) || (STACK_DIR < 0 && hp->h.deep < depth)) { register header *np = hp->h.next; free (hp); /* Collect garbage. */ hp = np; /* -> next header. */ } else break; /* Rest are not deeper. */ last_alloca_header = hp; /* -> last valid storage. */ # ifdef emacs UNBLOCK_INPUT; # endif } if (size == 0) return NULL; /* No allocation required. */ /* Allocate combined header + user data storage. */ { /* Address of header. */ register header *new; size_t combined_size = sizeof (header) + size; if (combined_size < sizeof (header)) memory_full (); new = malloc (combined_size); if (! new) memory_full (); new->h.next = last_alloca_header; new->h.deep = depth; last_alloca_header = new; /* User storage begins just after header. */ return (void *) (new + 1); } } # if defined (CRAY) && defined (CRAY_STACKSEG_END) # ifdef DEBUG_I00AFUNC # include <stdio.h> # endif # ifndef CRAY_STACK # define CRAY_STACK # ifndef CRAY2 /* Stack structures for CRAY-1, CRAY X-MP, and CRAY Y-MP */ struct stack_control_header { long shgrow:32; /* Number of times stack has grown. */ long shaseg:32; /* Size of increments to stack. */ long shhwm:32; /* High water mark of stack. */ long shsize:32; /* Current size of stack (all segments). */ }; /* The stack segment linkage control information occurs at the high-address end of a stack segment. (The stack grows from low addresses to high addresses.) The initial part of the stack segment linkage control information is 0200 (octal) words. This provides for register storage for the routine which overflows the stack. */ struct stack_segment_linkage { long ss[0200]; /* 0200 overflow words. */ long sssize:32; /* Number of words in this segment. */ long ssbase:32; /* Offset to stack base. */ long:32; long sspseg:32; /* Offset to linkage control of previous segment of stack. */ long:32; long sstcpt:32; /* Pointer to task common address block. */ long sscsnm; /* Private control structure number for microtasking. */ long ssusr1; /* Reserved for user. */ long ssusr2; /* Reserved for user. */ long sstpid; /* Process ID for pid based multi-tasking. */ long ssgvup; /* Pointer to multitasking thread giveup. */ long sscray[7]; /* Reserved for Cray Research. */ long ssa0; long ssa1; long ssa2; long ssa3; long ssa4; long ssa5; long ssa6; long ssa7; long sss0; long sss1; long sss2; long sss3; long sss4; long sss5; long sss6; long sss7; }; # else /* CRAY2 */ /* The following structure defines the vector of words returned by the STKSTAT library routine. */ struct stk_stat { long now; /* Current total stack size. */ long maxc; /* Amount of contiguous space which would be required to satisfy the maximum stack demand to date. */ long high_water; /* Stack high-water mark. */ long overflows; /* Number of stack overflow ($STKOFEN) calls. */ long hits; /* Number of internal buffer hits. */ long extends; /* Number of block extensions. */ long stko_mallocs; /* Block allocations by $STKOFEN. */ long underflows; /* Number of stack underflow calls ($STKRETN). */ long stko_free; /* Number of deallocations by $STKRETN. */ long stkm_free; /* Number of deallocations by $STKMRET. */ long segments; /* Current number of stack segments. */ long maxs; /* Maximum number of stack segments so far. */ long pad_size; /* Stack pad size. */ long current_address; /* Current stack segment address. */ long current_size; /* Current stack segment size. This number is actually corrupted by STKSTAT to include the fifteen word trailer area. */ long initial_address; /* Address of initial segment. */ long initial_size; /* Size of initial segment. */ }; /* The following structure describes the data structure which trails any stack segment. I think that the description in 'asdef' is out of date. I only describe the parts that I am sure about. */ struct stk_trailer { long this_address; /* Address of this block. */ long this_size; /* Size of this block (does not include this trailer). */ long unknown2; long unknown3; long link; /* Address of trailer block of previous segment. */ long unknown5; long unknown6; long unknown7; long unknown8; long unknown9; long unknown10; long unknown11; long unknown12; long unknown13; long unknown14; }; # endif /* CRAY2 */ # endif /* not CRAY_STACK */ # ifdef CRAY2 /* Determine a "stack measure" for an arbitrary ADDRESS. I doubt that "lint" will like this much. */ static long i00afunc (long *address) { struct stk_stat status; struct stk_trailer *trailer; long *block, size; long result = 0; /* We want to iterate through all of the segments. The first step is to get the stack status structure. We could do this more quickly and more directly, perhaps, by referencing the $LM00 common block, but I know that this works. */ STKSTAT (&status); /* Set up the iteration. */ trailer = (struct stk_trailer *) (status.current_address + status.current_size - 15); /* There must be at least one stack segment. Therefore it is a fatal error if "trailer" is null. */ if (trailer == 0) abort (); /* Discard segments that do not contain our argument address. */ while (trailer != 0) { block = (long *) trailer->this_address; size = trailer->this_size; if (block == 0 || size == 0) abort (); trailer = (struct stk_trailer *) trailer->link; if ((block <= address) && (address < (block + size))) break; } /* Set the result to the offset in this segment and add the sizes of all predecessor segments. */ result = address - block; if (trailer == 0) { return result; } do { if (trailer->this_size <= 0) abort (); result += trailer->this_size; trailer = (struct stk_trailer *) trailer->link; } while (trailer != 0); /* We are done. Note that if you present a bogus address (one not in any segment), you will get a different number back, formed from subtracting the address of the first block. This is probably not what you want. */ return (result); } # else /* not CRAY2 */ /* Stack address function for a CRAY-1, CRAY X-MP, or CRAY Y-MP. Determine the number of the cell within the stack, given the address of the cell. The purpose of this routine is to linearize, in some sense, stack addresses for alloca. */ static long i00afunc (long address) { long stkl = 0; long size, pseg, this_segment, stack; long result = 0; struct stack_segment_linkage *ssptr; /* Register B67 contains the address of the end of the current stack segment. If you (as a subprogram) store your registers on the stack and find that you are past the contents of B67, you have overflowed the segment. B67 also points to the stack segment linkage control area, which is what we are really interested in. */ stkl = CRAY_STACKSEG_END (); ssptr = (struct stack_segment_linkage *) stkl; /* If one subtracts 'size' from the end of the segment, one has the address of the first word of the segment. If this is not the first segment, 'pseg' will be nonzero. */ pseg = ssptr->sspseg; size = ssptr->sssize; this_segment = stkl - size; /* It is possible that calling this routine itself caused a stack overflow. Discard stack segments which do not contain the target address. */ while (!(this_segment <= address && address <= stkl)) { # ifdef DEBUG_I00AFUNC fprintf (stderr, "%011o %011o %011o\n", this_segment, address, stkl); # endif if (pseg == 0) break; stkl = stkl - pseg; ssptr = (struct stack_segment_linkage *) stkl; size = ssptr->sssize; pseg = ssptr->sspseg; this_segment = stkl - size; } result = address - this_segment; /* If you subtract pseg from the current end of the stack, you get the address of the previous stack segment's end. This seems a little convoluted to me, but I'll bet you save a cycle somewhere. */ while (pseg != 0) { # ifdef DEBUG_I00AFUNC fprintf (stderr, "%011o %011o\n", pseg, size); # endif stkl = stkl - pseg; ssptr = (struct stack_segment_linkage *) stkl; size = ssptr->sssize; pseg = ssptr->sspseg; result += size; } return (result); } # endif /* not CRAY2 */ # endif /* CRAY */ # endif /* no alloca */ #endif /* not GCC 2 */ ```
```c++ //===-- AVRMCInstLower.cpp - Convert AVR MachineInstr to an MCInst --------===// // // See path_to_url for license information. // //===your_sha256_hash------===// // // This file contains code to lower AVR MachineInstrs to their corresponding // MCInst records. // //===your_sha256_hash------===// #include "AVRMCInstLower.h" #include "AVRInstrInfo.h" #include "MCTargetDesc/AVRMCExpr.h" #include "llvm/CodeGen/AsmPrinter.h" #include "llvm/IR/Mangler.h" #include "llvm/MC/MCInst.h" #include "llvm/Support/ErrorHandling.h" namespace llvm { MCOperand AVRMCInstLower::lowerSymbolOperand(const MachineOperand &MO, MCSymbol *Sym, const AVRSubtarget &Subtarget) const { unsigned char TF = MO.getTargetFlags(); const MCExpr *Expr = MCSymbolRefExpr::create(Sym, Ctx); bool IsNegated = false; if (TF & AVRII::MO_NEG) { IsNegated = true; } if (!MO.isJTI() && MO.getOffset()) { Expr = MCBinaryExpr::createAdd( Expr, MCConstantExpr::create(MO.getOffset(), Ctx), Ctx); } bool IsFunction = MO.isGlobal() && isa<Function>(MO.getGlobal()); if (TF & AVRII::MO_LO) { if (IsFunction) { Expr = AVRMCExpr::create(Subtarget.hasEIJMPCALL() ? AVRMCExpr::VK_AVR_LO8_GS : AVRMCExpr::VK_AVR_PM_LO8, Expr, IsNegated, Ctx); } else { Expr = AVRMCExpr::create(AVRMCExpr::VK_AVR_LO8, Expr, IsNegated, Ctx); } } else if (TF & AVRII::MO_HI) { if (IsFunction) { Expr = AVRMCExpr::create(Subtarget.hasEIJMPCALL() ? AVRMCExpr::VK_AVR_HI8_GS : AVRMCExpr::VK_AVR_PM_HI8, Expr, IsNegated, Ctx); } else { Expr = AVRMCExpr::create(AVRMCExpr::VK_AVR_HI8, Expr, IsNegated, Ctx); } } else if (TF != 0) { llvm_unreachable("Unknown target flag on symbol operand"); } return MCOperand::createExpr(Expr); } void AVRMCInstLower::lowerInstruction(const MachineInstr &MI, MCInst &OutMI) const { auto &Subtarget = MI.getParent()->getParent()->getSubtarget<AVRSubtarget>(); OutMI.setOpcode(MI.getOpcode()); for (MachineOperand const &MO : MI.operands()) { MCOperand MCOp; switch (MO.getType()) { default: MI.print(errs()); llvm_unreachable("unknown operand type"); case MachineOperand::MO_Register: // Ignore all implicit register operands. if (MO.isImplicit()) continue; MCOp = MCOperand::createReg(MO.getReg()); break; case MachineOperand::MO_Immediate: MCOp = MCOperand::createImm(MO.getImm()); break; case MachineOperand::MO_GlobalAddress: MCOp = lowerSymbolOperand(MO, Printer.getSymbol(MO.getGlobal()), Subtarget); break; case MachineOperand::MO_ExternalSymbol: MCOp = lowerSymbolOperand( MO, Printer.GetExternalSymbolSymbol(MO.getSymbolName()), Subtarget); break; case MachineOperand::MO_MachineBasicBlock: MCOp = MCOperand::createExpr( MCSymbolRefExpr::create(MO.getMBB()->getSymbol(), Ctx)); break; case MachineOperand::MO_RegisterMask: continue; case MachineOperand::MO_BlockAddress: MCOp = lowerSymbolOperand( MO, Printer.GetBlockAddressSymbol(MO.getBlockAddress()), Subtarget); break; case MachineOperand::MO_JumpTableIndex: MCOp = lowerSymbolOperand(MO, Printer.GetJTISymbol(MO.getIndex()), Subtarget); break; case MachineOperand::MO_ConstantPoolIndex: MCOp = lowerSymbolOperand(MO, Printer.GetCPISymbol(MO.getIndex()), Subtarget); break; } OutMI.addOperand(MCOp); } } } // end of namespace llvm ```
Nothocalais troximoides is a species of flowering plant in the family Asteraceae known by the common name sagebrush false dandelion. It is native to western North America, including British Columbia and the northwestern United States. Description Nothocalais troximoides is a perennial herb growing from a stout root and a thick caudex and producing a woolly flower stem up to about tall. The leaves are located around the base of the stem and often have crinkled wavy edges, and sometimes a thin coat of small hairs and a thicker fringe of hairs on the leaf edge. Each linear leaf has a prominent mid-rib that is usually paler in color and they are up to long. Each flower stem bears a single flower and the flower head is lined with green, sometimes purple-speckled, phyllaries and containing many yellow ray florets and no disc florets. The fruit is a cylindrical achene up to long not including the large pappus of up to 30 silvery white bristles which may be an additional in length. Range and Habitat Nothocalais troximoides is native to British Columbia and the northwestern United States in Washington, Oregon, northern California, Idaho, and Montana. It grows in sagebrush and other plateau and mountain habitat types, often in rocky soil. Gallery References External links Jepson Manual Treatment USDA Plants Profile troximoides
The Wolfgang Press were an English post-punk band, active from 1983 to 1995, recording for the 4AD label. The core of the band was Michael Allen (vocals, bass), Mark Cox (keyboards), and Andrew Gray (guitar). The group is best known for its 1992 international hit single "A Girl Like You (Born to Be Kissed)". Style and influences The official 4AD band profile describes them as "post-punk", transforming to "avant-dance groovers" with Queer. The group were frequently labelled "goth," though they denied the charge. Allen's list of "important records" as of 1995 included De La Soul's 3 Feet High and Rising, Massive Attack's Blue Lines and "anything from Nick Cave and The Fall". He recalled that the record that "maybe started it all" for him was Public Image Ltd's Metal Box. History Rema-Rema, Mass (1978–1981) Allen started in the Models in 1977. Allen and Cox had both been members of Rema-Rema and Mass, while Gray had been a member of In Camera. All of these bands had also recorded for 4AD. Rema-Rema were formed in 1978 by schoolmates Allen and Gary Asquith, with Cox, Marco Pirroni (also a school friend of Allen's and a fellow member of the Models) and Max Prior (who later recorded as Dorothy with Psychic TV). 4AD founder Ivo Watts-Russell said that hearing Rema-Rema's demo tape "was the first point I knew that we were actually doing something serious [with 4AD]." Their sole recording was the Wheel in the Roses 12"EP (4AD BAD-5, 1 Apr 1980). The band split when Pirroni left to join Adam and the Ants (although Pirroni says he had already left), and reformed as Mass. Mass consisted of Allen and Cox with Asquith and Danny Briottet. Mass recorded a single, "You And I"/"Cabbage" (4AD AD-14, Oct 1980), and an album, Labour of Love (4AD CAD-107, May 1981). Mass split in 1981. Asquith and Briottet later (1986) formed Renegade Soundwave. (Asquith remained a friend and contributed to Queer.) The Burden of Mules (1983) After Mass split, Allen and Cox continued working together. The Burden of Mules was described byTrouser Press as "dark and cacophonous, an angry, intense slab of post-punk gloom that is best left to its own (de)vices"; the AllMusic Guide to Electronica describes some tracks as "so morose and vehement as to verge on self-parody." ZigZag was more positive, regarding the album as an artistic success and an "emphatic statement." The band's career retrospective compilation, Everything Is Beautiful, contains no tracks from the album. Guest musicians included Richard Thomas (Dif Juz), David Steiner (In Camera) and guitarist and percussionist Andrew Gray, who soon joined the band. Early EPs The EPs Scarecrow, Water and Sweatbox followed, produced by Robin Guthrie. These were later compiled (with some remixed versions) as The Legendary Wolfgang Press and Other Tall Stories. The AllMusic Guide to Electronica describes Scarecrow as "a lighter, more streamlined affair", Water as spotlighting "ominously sparse torch songs", and Sweatbox as "deconstructionist pop". Standing Up Straight (1986) The 4AD band profile describes Standing Up Straight as "an intense blend of industrial and classical tropes". Trouser Press describes it as "as challenging and inventive as the band's other work, adding industrial and classical instrumentation to the creative arsenal", "dark and thoroughly uncompromising" and "not for the easily intimidated." The AllMusic Guide to Electronica describes it as "a challenging, even punishing album, but a rewarding one as well." Bird Wood Cage (1988) The AllMusic Guide to Electronica notes Bird Wood Cage as "one of the most pivotal records in the Wolfgang Press catalog; here, the trio begins to incorporate the dance and funk elements which would ultimately emerge as the dominant facet of their work." Trouser Press describes Bird Wood Cage as "inserting fascinating bits of business into superficially forbidding songs", including female backing vocals, funky wah-wah guitar and elements of dub reggae. The album was preceded by the EP Big Sex, which presages Bird Wood Cage's musical themes. "King of Soul", "Kansas" and "Raintime"/"Bottom Drawer" were singles from the album. Allen later said that Bird Wood Cage was the Wolfgang Press album he was most proud of. Queer (1991), "A Girl Like You" (1992) The genesis of the 1991 album Queer was listening to De La Soul's 1989 debut album 3 Feet High and Rising. As Allen put it, this was when they "rediscovered that music could indeed be fun." "It seemed such a joyous record. There was a freshness and ease about the way it was made that inspired us to reassess our working process." The album's sound includes many samples and funkier, poppier beats than previous albums. The AllMusic Guide to Electronica describes it as "alien funk, a collection of idiosyncratic rhythms, dark textures, and ominous grooves." The band members each play multiple instruments, making the sound fuller than previous work. Bassist Leslie Langston of Throwing Muses guests on most tracks. The singles from the album were "Time" (the album version being titled "Question of Time"), which included a sample from Pink Floyd's "Time" (from The Dark Side of the Moon), followed by a cover of Randy Newman's "Mama Told Me Not to Come". The single "A Girl Like You" was released in May 1992 and became an international hit, scoring No. 2 on the Billboard US Modern Rock (Alternative Songs) chart on 15 August 1992. The song was later covered by Tom Jones, who then asked the band to write "Show Me (Some Devotion)" for him, both recordings appearing on The Lead and How to Swing It (1994). Jones also joined them on-stage for All Virgos Are Mad, a 4AD anniversary concert in Los Angeles in January 1995. Due to sample clearance issues, the 1992 U.S. release of Queer (which includes "A Girl Like You") needed considerable rerecording and remixing. Funky Little Demons (1995) After "A Girl Like You", the band bought their own studio, removing the financial pressure of traditional studio rental. The band spent two years recording Funky Little Demons. Trouser Press describes the album as "straight-ahead dance music with the correct materials", though "no longer enigmatic risk-takers, the Wolfgang Press have become just another white post-new wave soul band." The single "Going South" reached No. 117 on the UK Singles Chart and No. 33 on the US alternative chart. A promotional CD of "Christianity" was also distributed in the US and a video released, directed by Mark Neale, but the band was dropped by 4AD before the single could be released. The album spent one week on the UK Albums Chart at No. 75 in February 1995. Cox left the band in February 1995, shortly before the release of the album. Allen and Gray aimed to continue, and toured the US without Cox to promote the album, but later conceded the band had run its course. Post-Wolfgang Press and Unremembered Remembered A compilation album, Everything Is Beautiful (A Retrospective 1983–1995), was released in 2001. (Despite the name, it contains nothing from before 1984.) Allen records and plays live periodically with his band Geniuser with Giuseppe De Bellis, whom Allen regards as the driving force. Geniuser released the album Mud Black on the Phisteria label in 2005 and an EP called Press/Delete in 2010 on the same label. Gray played on the album. Allen also played with Gary Asquith's Lavender Pill Mob. Gray recorded under the name Limehouse Outlaw, and released an album Homegrown on his own label on 27 May 2002, with some songs co-written by Allen. Gray also recorded with the Lavender Pill Mob. Cox has contributed writing and production to a project entitled U:guru. In 1995 and 1996, after Cox had left the band and Funky Little Demons had been released, the duo of Allen and Gray had planned a follow-up album. Six songs from these sessions would be finally released on Record Store Day 2020, under the title Unremembered Remembered. The album is billed as a mini-LP and as the band's final studio album. Although there was a seventh track recorded, the band opted not to include it on the release. Name Although some sources indicate that they named themselves after German actor Wolfgang Preiss, Spin said the band claimed to have named themselves after a device that Mozart tried (unsuccessfully) to invent to type out his music. No such device is known. Allen has stated elsewhere that the name was chosen to be "meaningless and open to interpretation." Discography Albums The Burden of Mules (Aug 1983), 4AD Standing Up Straight (Aug 1986), 4AD Bird Wood Cage (7 Nov 1988), 4AD (1988 CD includes Big Sex EP) Queer (5 Aug 1991), 4AD (initial vinyl copies included 12" EP Sucker of remixes by Martyn Young of Colourbox) Queer (1992), 4AD/Warner U.S. Funky Little Demons (23 January 1995), 4AD (initial CD copies with four-track remix bonus disc) Unremembered Remembered (29 August 2020), 4AD Singles and EPs Scarecrow (12" EP, recorded July 1984, released August 1984), 4AD Water (12" EP, recorded January 1985, released March 1985), 4AD Sweatbox (12" EP, recorded Apr 1985, released Jul 1985), 4AD Big Sex (12" EP, recorded Dec 1986, released Apr 1987), 4AD "King of Soul" (12", 22 Aug 1988), 4AD "Kansas" (12", 30 January 1989), 4AD "Raintime/Bottom Drawer" (12" / CD, 2 May 1989), 4AD "Time" (12" / CD, 2 Apr 1991), 4AD "Mama Told Me Not to Come" (7" / 12", 13 May 1991), 4AD/Warner U.S. "A Girl Like You" (7" / 12" / CD), 4AD/Warner U.S. "Going South", 4AD/Warner U.S. Compilations The Legendary Wolfgang Press and Other Tall Stories (Nov 1985), 4AD - compilation of EPs Scarecrow, Water and Sweatbox with some different versions / CD includes two bonus tracks: "The Deep Briny" and "Muted" Everything Is Beautiful (A Retrospective 1983-1995) (1 Oct 2001), 4AD Various artists compilation appearances State of Affairs (Pleasantly Surprised cassette PS-002, 1984): "Prostitute" (Remixed Version) Dreams and Desires (Pleasantly Surprised cassette PS-006, 1984): "Ecstasy" (instrumental) Document: Pleasantly Surprised (82 - 85) (Pleasantly Surprised cassette PS-012, Feb 1986): "Prostitute" (Remixed Version) Abstract 5 (Sweatbox AMO-5, 1985; LP with Abstract magazine No. 5): "Fire Eater" (Remix) Lonely Is an Eyesore (4AD CAD-703, June 1987): "Cut the Tree" Unbelievable - The Indie Dance Album (Posh Music for Kids UNB-101, 1991): "Time" Volume One (Volume CD, Sep 1991; CD with Volume magazine No. 1): "Sucker" (Version) (3:36) Rough Trade: Music for the 90's Vol. 3 (Rough Trade Deutschland RTD-199.1215.2 CD, 1991): "Louis XIV" (4:10) NME Viva 8 - Live at the Town and Country Club 8-1-92 (NME, 1992): "Dreams and Light" (3:22) Lilliput 1 & 2 (4AD LILLIPUT-1+2, 1992): "A Girl Like You", "Birmingham" 4AD Presents the 13 Year Itch CD (4AD SHUFFLE-1, 1993): "Peace on Fire" (4:02) 4AD Presents the 13 Year Itch VHS (4AD SHUFFLE-1, 1993): "Kansas" All Virgos Are Mad (4AD/Warner 45789 CD, 1994; free CD for All Virgos Are Mad shows): "One" All Virgos Are Mad (4AD/Warner 45789 CD, 1994; free VHS for All Virgos Are Mad shows): "Kansas" Facing the Wrong Way (4AD FTWW-1, 1995): "Christianity" (Wicked Man Remix) References External links The Wolfgang Press at 4AD records 4AD artists English gothic rock groups English post-punk music groups English new wave musical groups English musical trios Musical groups established in 1983 Musical groups disestablished in 1995 Musical groups from London Warner Records artists
Zameen (), alternatively spelled Zamin, is an Urdu novel by Pakistani novelist and short story writer Khadija Mastoor. The novel was published posthumously by Idara-e-Farogh-e-Urdu in 1983. Daisy Rockwell, PhD, translated it into English and released it in July 2019 under the title A Promised Land. Zameen depicts the economic and political upheaval that entailed the partition of British India. It begins at the final setting of Mastoor's first novel Aangan – the Walton refugee camp in Lahore. Consequently, it is sometimes considered an extension of Aangan, however, Rockwell has clarified that it is not a narrative sequel, rather a philosophical and thematic follow-up. It is considered a political allegory and a women-centric historical account of Pakistan's independence. Characters Zameen main characters are: Sajida () – the intelligent protagonist. After migrating to Pakistan, she lives with her father at a refugee camp. Nazim () – a Department of Rehabilitation official at the camp who insists Sajida to live at his home with him and his family Saleema () – a passionate student, Nazim's female cousin Kazim () – Nazim's amoral and feudalistic brother Reception Critic and fiction writer Muhammad Ahsan Farooqi found the novel rich in Mastoor's style of dialogue writing and exposition. Writing about Zameen in his essay "" () he said, "Where she has used other literary devices to develop the story and the characters against a specific backdrop, she has also taken great care of speech and style." Farooqi compared her storytelling skill to that of Jane Austen. In his book, Muhammad Naseem said that the author had presented the issues of the establishment of Pakistan and the migration with impartiality and skill. She has very well represented the feelings of a woman. Ahmad Nadeem Qasmi wrote in his article, "The way Aangan Aaliya and Zameen Sajida dominate their environment, could it be Khadija's own personality trait? But in my opinion, even more than her personality, it is Khadija's subconscious desire to see the woman dignified, which is embodied in Aaliya and Sajida." Shaista Hameed attested that the author wrote "every single line of her novels with blood, sweat, and tears". The novel is considered a specimen of her skill of making prose memorable, without being idealistic or mixing lies in it. Reviewing A Promised Land in Dawn, Asif Farrukhi called Zameen a "neglected novel", while Scroll.in called it "Khadija Mastur's neglected masterpiece" when it republished the article. Lalitha Subramanian noted in the Deccan Herald the absence of biterness towards India and recommending the novel to Indian readers, appreciated the Pakistani author's regard for Mahatma Gandhi. References External links Zameen at Goodreads Urdu-language novels Novels published posthumously Urdu-language fiction Pakistani fiction 1983 novels Novels set in the 1940s Pakistani historical novels Pakistani social novels National Language Promotion Department books Sang-e-Meel Publications books Novels by Khadija Mastoor Fiction set in the 1940s Novels about families Novels about nationalism Womanist novels 1983 Pakistani novels Novels set in Lahore
Uwe B. Sleytr (born July 15, 1942 in Vienna, Austria) is an emeritus professor of microbiology and the former head of the Department of Nanobiotechnology at the University of Natural Resources and Life Sciences, Vienna. He is a full member of the Division of Mathematics and Natural Sciences of the Austrian Academy of Sciences and has published approximately 420 scientific papers, 5 books and several patents. Biography Sleytr studied food and biotechnology at the University of Natural Resources and Life Sciences, Vienna, graduating with a PhD (Dr. nat. Techn.) in 1970. He subsequently was senior research scientist at the Medical Research Council Laboratory of Molecular Biology and the Strangeways Research Laboratory in Cambridge with a fellowship from the Medical Research Council. In 1973 he received his habilitation in General Microbiology from the University of Natural Resources and Life Sciences, Vienna. He also served as visiting professor at Temple University in 1977-78. In 1980 he was appointed head of the Department of Nano-Biotechnology at the University of Natural Resources and Life Sciences, Vienna in 1980. He served in this role until 2010 when he became professor emeritus. Sleytr has been bestowed honorary professorships by the Shanghai Jiaotong University, Sichuan University and the China University of Petroleum. Research Sleytr is an early researcher and pioneer in the field of Nanobiotechnology. He first discovered the S-layered Protein which has found important applications in nano-biotechnology. Sleytr's work has contributed significantly to the fact that today it is recognized that most bacteria and almost all archaea form S-layers as cell surface structure. Together with his Karin Thorne, he was able to prove that S-layers can also consist of glycoproteins, which was the first evidence for the glycosylation of a cell wall protein in bacteria. His investigations of the dynamic self-organization of S-layers on growing and dividing cells and the assembly of isolated S-layer monomers in vitro have shown that S-layers are the simplest isopore protein membranes developed during evolution. These results were also the basis for the production of large S-layer ultrafiltration membranes with strictly defined separation (cut off) limits. Major fields of application were derived from the fact that S-layer proteins could be fused with other functional proteins (e.g. ligands, antigens, antibodies, enzymes, peptides) and assembled on solid carriers (e.g. metals, semiconductors, graphene, polymers) and lipid membranes including liposomes and emulsomes in the form of regular lattices. Due to their unique repetitive physicochemical properties, S-layers could be used in combination with other biomolecules (proteins, lipids, carbohydrates, nucleic acids, etc.) and nanoparticles as patterning elements and basic building blocks for the production of sometimes very complex supramolecular structures. This also opened up a wide range of applications for S-layers in synthetic biology, biomimetics and nanotechnology. Selected awards and fellowships Member of the European Academy of Sciences and Arts (2008) Wilhelm Exner Medal (1998) Science Award of the City of Vienna (1998) Philip Morris Research Award (1998) (with M. Sara) Member of the Austrian Academy of Sciences (1994) Innitzer Award(1989) EUREKA Award (1988) Sandoz-Novartis Award (1971) Schwackhöfer-Award (1970) Selected publications Sleytr, U.B. 1978. Regular arrays of macromolecules on bacterial cell walls: structure, chemistry, assembly and function. Int. Rev. Cytol. 53: 1-64. Sleytr, U.B., B. Schuster, E.-M. Egelseer, D. Pum. S-layers: principles and applications. FEMS Microbiol. Rev. 38 (2014) 823–864. Pum, D., U.B. Sleytr. 2014. Reassembly of S-layer proteins. Nanotechnology 25:312001. DOI: 10.1088/0957-4484/25/31/312001. Ücisik, M.H., U.B. Sleytr, B. Schuster. 2015. Emulsomes meet S-layer proteins: An emerging targeted drug delivery system. Curr. Pharm. Biotechnol. 16:392-405. DOI: 10.2174/138920101604150218112656. U.B. Sleytr, A.W. Robards. Freeze-fracturing: a review of methods and results. J. Microsc. 111 (1977) 77-100. U.B. Sleytr, A.W. Robards. Plastic deformation during freeze-cleavage:a review. J. Microsc. 110 (1977) 1-25. Ilk, N., E.M. Egelseer, U.B. Sleytr. S-layer fusion proteins - construction principles and applications. Curr. Opin. Biotech. 22(6) (2011) 824–831. Schuster, B., U.B. Sleytr. Biomimetic interfaces S-layer proteins, lipid membranes and membrane proteins. J. R. Soc. Interface 11 (2014) 20140232. References External links Homepage: Art and Science 1942 births Living people Austrian biologists
```java /* * DO NOT ALTER OR REMOVE COPYRIGHT NOTICES OR THIS FILE HEADER. * * This code is free software; you can redistribute it and/or modify it * published by the Free Software Foundation. Oracle designates this * particular file as subject to the "Classpath" exception as provided * by Oracle in the LICENSE file that accompanied this code. * * This code is distributed in the hope that it will be useful, but WITHOUT * ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or * version 2 for more details (a copy is included in the LICENSE file that * accompanied this code). * * 2 along with this work; if not, write to the Free Software Foundation, * Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA. * * Please contact Oracle, 500 Oracle Parkway, Redwood Shores, CA 94065 USA * or visit www.oracle.com if you need additional information or have any * questions. */ package org.graalvm.visualvm.core.ui.actions; import org.graalvm.visualvm.core.datasupport.Utils; import org.graalvm.visualvm.core.snapshot.Snapshot; import java.awt.event.ActionEvent; import java.util.Set; import org.openide.util.NbBundle; /** * * @author Jiri Sedlacek */ class DeleteSnapshotAction extends MultiDataSourceAction<Snapshot> { // private static final Image ICON_16 = Utilities.loadImage("org/graalvm/visualvm/core/ui/resources/saveSnapshot.png"); // private static final Image ICON_24 = Utilities.loadImage("org/graalvm/visualvm/core/ui/resources/saveSnapshot24.png"); private static DeleteSnapshotAction instance; public static DeleteSnapshotAction instance() { if (instance == null) instance = new DeleteSnapshotAction(); return instance; } protected void actionPerformed(Set<Snapshot> snapshots, ActionEvent actionEvent) { for (Snapshot snapshot : snapshots) snapshot.delete(); } protected boolean isEnabled(Set<Snapshot> snapshots) { for (Snapshot snapshot : snapshots) if (!snapshot.supportsDelete()) return false; return Utils.areDataSourcesIndependent(snapshots); } private DeleteSnapshotAction() { super(Snapshot.class); putValue(NAME, NbBundle.getMessage(DeleteSnapshotAction.class, "LBL_Delete")); // NOI18N putValue(SHORT_DESCRIPTION, NbBundle.getMessage(DeleteSnapshotAction.class, "LBL_Delete_Snapshot")); // NOI18N // putValue(SMALL_ICON, new ImageIcon(ICON_16)); // putValue("iconBase", new ImageIcon(ICON_24)); } } ```
California's 58th State Assembly district is one of 80 California State Assembly districts. It is currently represented by Democrat Sabrina Cervantes of Riverside. District profile The district encompasses portions of northwestern Riverside County and southwestern San Bernardino County. The district was drawn with concerns to shared economic and housing interests in the area. Riverside County Jurupa Valley Corona - partial Eastvale - partial Riverside - partialSan Bernardino County Grand Terrace Election results from statewide races List of Assembly Members Due to redistricting, the 58th district has been moved around different parts of the state. The current iteration resulted from the 2011 redistricting by the California Citizens Redistricting Commission. Election results 1992 - present 2022 2020 2018 2016 2014 2012 2010 2008 2006 2004 2002 2000 1998 1996 1994 1992 See also California State Assembly California State Assembly districts Districts in California References External links District map from the California Citizens Redistricting Commission 58 Government of Los Angeles County, California Artesia, California Bell Gardens, California Cerritos, California Commerce, California Downey, California Montebello, California Norwalk, California Pico Rivera, California
Petz Club (fully known as Petz Club, SOS animaux disparus) is a French/Monegasque animated children's television series created by Dominique Amouyal and Hadrien Soulez Larivière. The series debuted on France 5's Zouzous block on June 30, 2014. Plot Petz Club is about a group of three young kids and their dog who find lost pets. Characters Nina is an 8-year-old who created the Petz Club. Oscar is a 7-and-a-half-year-old, and is the detective of the group. Tim is a 7-year-old, and is the sportiest of the group. Marlou is the Petz Club's dog. Gilou is a vet who helps the Petz Club with their investigations. Episodes note: This table is incomplete and only contains the names for episodes 1-2, 6-9, 12-16, 19-20, 23, 25-29, 36-37, 40-44, 46-48 and 50-51. The titles for episodes 3-5, 10-11, 17-18, 21-22, 24, 30-35, 38-39, 45, 49 and 52 are missing. Broadcast Petz Club was broadcast on Radio Télévision Suisse in Switzerland, TFO in Canada from 2016-2017, Minimax in Central and Eastern Europe, Teletoon+ in Poland, and JeemTV. References External links Petz Club on Zouzous 2014 French television series debuts 2010s French animated television series French children's animated adventure television series French children's animated fantasy television series French-language television shows
The second USS Quinnebaug was a screw corvette in the United States Navy. Quinnebaug was completed under contract by Neafie & Levy at the Philadelphia Navy Yard, but she is occasionally listed as a rebuilt version of the first . She was launched on 28 September 1875, but completion was delayed due to lack of government appropriations, and consequently the vessel did not enter commission until 2 October 1878, when Commander Norman H. Farquhar took command. Service history Quinnebaug departed Philadelphia on 17 October 1878 for fitting out at Norfolk, Virginia. She got underway in January 1879 and reached Gibraltar on 2 February to begin a decade of service on the European Station, interrupted only by a brief visit home in the summer of 1881. During this service she operated for the most part in the Mediterranean, steaming from the straits to the Levant and visiting numerous ports along both the European and African coasts of that ancient sea and center of culture. She also usually made an annual cruise along the Atlantic Coast of Europe visiting ports in Spain, Portugal, France, England, Denmark and Germany. Three of her crew received the Medal of Honor for rescuing shipmates from drowning during this period: Landsman Patrick J. Kyle at Mahón, Menorca, on 13 March 1879, and Seaman Apprentice Second Class August Chandron and Boatswain's Mate Hugh Miller at Alexandria, Egypt, on 21 November 1885. Departing Gibraltar on 9 May 1889, Quinnebaug returned to the New York Navy Yard on 17 June 1889. She decommissioned there on 3 July, was struck from the Navy List on 21 November 1889, and was sold on 25 March 1891. References Sloops of the United States Navy 1875 ships
```python # Generated by the protocol buffer compiler. DO NOT EDIT! # source: tensorflow/tools/tfprof/tfprof_output.proto import sys _b=sys.version_info[0]<3 and (lambda x:x) or (lambda x:x.encode('latin1')) from google.protobuf import descriptor as _descriptor from google.protobuf import message as _message from google.protobuf import reflection as _reflection from google.protobuf import symbol_database as _symbol_database from google.protobuf import descriptor_pb2 # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() from tensorflow.core.framework import tensor_shape_pb2 as tensorflow_dot_core_dot_framework_dot_tensor__shape__pb2 from tensorflow.core.framework import types_pb2 as tensorflow_dot_core_dot_framework_dot_types__pb2 DESCRIPTOR = _descriptor.FileDescriptor( name='tensorflow/tools/tfprof/tfprof_output.proto', package='tensorflow.tfprof', syntax='proto2', serialized_pb=_b('\n+tensorflow/tools/tfprof/tfprof_output.proto\x12\x11tensorflow.tfprof\x1a,tensorflow/core/framework/tensor_shape.proto\x1a%tensorflow/core/framework/types.proto\"v\n\x11TFProfTensorProto\x12#\n\x05\x64type\x18\x01 \x01(\x0e\x32\x14.tensorflow.DataType\x12\x14\n\x0cvalue_double\x18\x02 \x03(\x01\x12\x13\n\x0bvalue_int64\x18\x03 \x03(\x03\x12\x11\n\tvalue_str\x18\x04 \x03(\t\"\xba\x03\n\x10TFGraphNodeProto\x12\x0c\n\x04name\x18\x01 \x01(\t\x12:\n\x0ctensor_value\x18\x0f \x01(\x0b\x32$.tensorflow.tfprof.TFProfTensorProto\x12\x13\n\x0b\x65xec_micros\x18\x02 \x01(\x03\x12\x17\n\x0frequested_bytes\x18\x03 \x01(\x03\x12\x12\n\nparameters\x18\x04 \x01(\x03\x12\x11\n\tfloat_ops\x18\r \x01(\x03\x12\x0e\n\x06inputs\x18\x05 \x01(\x03\x12\x0f\n\x07\x64\x65vices\x18\n \x03(\t\x12\x19\n\x11total_exec_micros\x18\x06 \x01(\x03\x12\x1d\n\x15total_requested_bytes\x18\x07 \x01(\x03\x12\x18\n\x10total_parameters\x18\x08 \x01(\x03\x12\x17\n\x0ftotal_float_ops\x18\x0e \x01(\x03\x12\x14\n\x0ctotal_inputs\x18\t \x01(\x03\x12,\n\x06shapes\x18\x0b \x03(\x0b\x32\x1c.tensorflow.TensorShapeProto\x12\x35\n\x08\x63hildren\x18\x0c \x03(\x0b\x32#.tensorflow.tfprof.TFGraphNodeProto\"\xd1\x02\n\x0fTFCodeNodeProto\x12\x0c\n\x04name\x18\x01 \x01(\t\x12\x13\n\x0b\x65xec_micros\x18\x02 \x01(\x03\x12\x17\n\x0frequested_bytes\x18\x03 \x01(\x03\x12\x12\n\nparameters\x18\x04 \x01(\x03\x12\x11\n\tfloat_ops\x18\x05 \x01(\x03\x12\x19\n\x11total_exec_micros\x18\x06 \x01(\x03\x12\x1d\n\x15total_requested_bytes\x18\x07 \x01(\x03\x12\x18\n\x10total_parameters\x18\x08 \x01(\x03\x12\x17\n\x0ftotal_float_ops\x18\t \x01(\x03\x12\x38\n\x0bgraph_nodes\x18\n \x03(\x0b\x32#.tensorflow.tfprof.TFGraphNodeProto\x12\x34\n\x08\x63hildren\x18\x0b \x03(\x0b\x32\".tensorflow.tfprof.TFCodeNodeProto') , dependencies=[tensorflow_dot_core_dot_framework_dot_tensor__shape__pb2.DESCRIPTOR,tensorflow_dot_core_dot_framework_dot_types__pb2.DESCRIPTOR,]) _sym_db.RegisterFileDescriptor(DESCRIPTOR) _TFPROFTENSORPROTO = _descriptor.Descriptor( name='TFProfTensorProto', full_name='tensorflow.tfprof.TFProfTensorProto', filename=None, file=DESCRIPTOR, containing_type=None, fields=[ _descriptor.FieldDescriptor( name='dtype', full_name='tensorflow.tfprof.TFProfTensorProto.dtype', index=0, number=1, type=14, cpp_type=8, label=1, has_default_value=False, default_value=0, message_type=None, enum_type=None, containing_type=None, is_extension=False, extension_scope=None, options=None), _descriptor.FieldDescriptor( name='value_double', full_name='tensorflow.tfprof.TFProfTensorProto.value_double', index=1, number=2, type=1, cpp_type=5, label=3, has_default_value=False, default_value=[], message_type=None, enum_type=None, containing_type=None, is_extension=False, extension_scope=None, options=None), _descriptor.FieldDescriptor( name='value_int64', full_name='tensorflow.tfprof.TFProfTensorProto.value_int64', index=2, number=3, type=3, cpp_type=2, label=3, has_default_value=False, default_value=[], message_type=None, enum_type=None, containing_type=None, is_extension=False, extension_scope=None, options=None), _descriptor.FieldDescriptor( name='value_str', full_name='tensorflow.tfprof.TFProfTensorProto.value_str', index=3, number=4, type=9, cpp_type=9, label=3, has_default_value=False, default_value=[], message_type=None, enum_type=None, containing_type=None, is_extension=False, extension_scope=None, options=None), ], extensions=[ ], nested_types=[], enum_types=[ ], options=None, is_extendable=False, syntax='proto2', extension_ranges=[], oneofs=[ ], serialized_start=151, serialized_end=269, ) _TFGRAPHNODEPROTO = _descriptor.Descriptor( name='TFGraphNodeProto', full_name='tensorflow.tfprof.TFGraphNodeProto', filename=None, file=DESCRIPTOR, containing_type=None, fields=[ _descriptor.FieldDescriptor( name='name', full_name='tensorflow.tfprof.TFGraphNodeProto.name', index=0, number=1, type=9, cpp_type=9, label=1, has_default_value=False, default_value=_b("").decode('utf-8'), message_type=None, enum_type=None, containing_type=None, is_extension=False, extension_scope=None, options=None), _descriptor.FieldDescriptor( name='tensor_value', full_name='tensorflow.tfprof.TFGraphNodeProto.tensor_value', index=1, number=15, type=11, cpp_type=10, label=1, has_default_value=False, default_value=None, message_type=None, enum_type=None, containing_type=None, is_extension=False, extension_scope=None, options=None), _descriptor.FieldDescriptor( name='exec_micros', full_name='tensorflow.tfprof.TFGraphNodeProto.exec_micros', index=2, number=2, type=3, cpp_type=2, label=1, has_default_value=False, default_value=0, message_type=None, enum_type=None, containing_type=None, is_extension=False, extension_scope=None, options=None), _descriptor.FieldDescriptor( name='requested_bytes', full_name='tensorflow.tfprof.TFGraphNodeProto.requested_bytes', index=3, number=3, type=3, cpp_type=2, label=1, has_default_value=False, default_value=0, message_type=None, enum_type=None, containing_type=None, is_extension=False, extension_scope=None, options=None), _descriptor.FieldDescriptor( name='parameters', full_name='tensorflow.tfprof.TFGraphNodeProto.parameters', index=4, number=4, type=3, cpp_type=2, label=1, has_default_value=False, default_value=0, message_type=None, enum_type=None, containing_type=None, is_extension=False, extension_scope=None, options=None), _descriptor.FieldDescriptor( name='float_ops', full_name='tensorflow.tfprof.TFGraphNodeProto.float_ops', index=5, number=13, type=3, cpp_type=2, label=1, has_default_value=False, default_value=0, message_type=None, enum_type=None, containing_type=None, is_extension=False, extension_scope=None, options=None), _descriptor.FieldDescriptor( name='inputs', full_name='tensorflow.tfprof.TFGraphNodeProto.inputs', index=6, number=5, type=3, cpp_type=2, label=1, has_default_value=False, default_value=0, message_type=None, enum_type=None, containing_type=None, is_extension=False, extension_scope=None, options=None), _descriptor.FieldDescriptor( name='devices', full_name='tensorflow.tfprof.TFGraphNodeProto.devices', index=7, number=10, type=9, cpp_type=9, label=3, has_default_value=False, default_value=[], message_type=None, enum_type=None, containing_type=None, is_extension=False, extension_scope=None, options=None), _descriptor.FieldDescriptor( name='total_exec_micros', full_name='tensorflow.tfprof.TFGraphNodeProto.total_exec_micros', index=8, number=6, type=3, cpp_type=2, label=1, has_default_value=False, default_value=0, message_type=None, enum_type=None, containing_type=None, is_extension=False, extension_scope=None, options=None), _descriptor.FieldDescriptor( name='total_requested_bytes', full_name='tensorflow.tfprof.TFGraphNodeProto.total_requested_bytes', index=9, number=7, type=3, cpp_type=2, label=1, has_default_value=False, default_value=0, message_type=None, enum_type=None, containing_type=None, is_extension=False, extension_scope=None, options=None), _descriptor.FieldDescriptor( name='total_parameters', full_name='tensorflow.tfprof.TFGraphNodeProto.total_parameters', index=10, number=8, type=3, cpp_type=2, label=1, has_default_value=False, default_value=0, message_type=None, enum_type=None, containing_type=None, is_extension=False, extension_scope=None, options=None), _descriptor.FieldDescriptor( name='total_float_ops', full_name='tensorflow.tfprof.TFGraphNodeProto.total_float_ops', index=11, number=14, type=3, cpp_type=2, label=1, has_default_value=False, default_value=0, message_type=None, enum_type=None, containing_type=None, is_extension=False, extension_scope=None, options=None), _descriptor.FieldDescriptor( name='total_inputs', full_name='tensorflow.tfprof.TFGraphNodeProto.total_inputs', index=12, number=9, type=3, cpp_type=2, label=1, has_default_value=False, default_value=0, message_type=None, enum_type=None, containing_type=None, is_extension=False, extension_scope=None, options=None), _descriptor.FieldDescriptor( name='shapes', full_name='tensorflow.tfprof.TFGraphNodeProto.shapes', index=13, number=11, type=11, cpp_type=10, label=3, has_default_value=False, default_value=[], message_type=None, enum_type=None, containing_type=None, is_extension=False, extension_scope=None, options=None), _descriptor.FieldDescriptor( name='children', full_name='tensorflow.tfprof.TFGraphNodeProto.children', index=14, number=12, type=11, cpp_type=10, label=3, has_default_value=False, default_value=[], message_type=None, enum_type=None, containing_type=None, is_extension=False, extension_scope=None, options=None), ], extensions=[ ], nested_types=[], enum_types=[ ], options=None, is_extendable=False, syntax='proto2', extension_ranges=[], oneofs=[ ], serialized_start=272, serialized_end=714, ) _TFCODENODEPROTO = _descriptor.Descriptor( name='TFCodeNodeProto', full_name='tensorflow.tfprof.TFCodeNodeProto', filename=None, file=DESCRIPTOR, containing_type=None, fields=[ _descriptor.FieldDescriptor( name='name', full_name='tensorflow.tfprof.TFCodeNodeProto.name', index=0, number=1, type=9, cpp_type=9, label=1, has_default_value=False, default_value=_b("").decode('utf-8'), message_type=None, enum_type=None, containing_type=None, is_extension=False, extension_scope=None, options=None), _descriptor.FieldDescriptor( name='exec_micros', full_name='tensorflow.tfprof.TFCodeNodeProto.exec_micros', index=1, number=2, type=3, cpp_type=2, label=1, has_default_value=False, default_value=0, message_type=None, enum_type=None, containing_type=None, is_extension=False, extension_scope=None, options=None), _descriptor.FieldDescriptor( name='requested_bytes', full_name='tensorflow.tfprof.TFCodeNodeProto.requested_bytes', index=2, number=3, type=3, cpp_type=2, label=1, has_default_value=False, default_value=0, message_type=None, enum_type=None, containing_type=None, is_extension=False, extension_scope=None, options=None), _descriptor.FieldDescriptor( name='parameters', full_name='tensorflow.tfprof.TFCodeNodeProto.parameters', index=3, number=4, type=3, cpp_type=2, label=1, has_default_value=False, default_value=0, message_type=None, enum_type=None, containing_type=None, is_extension=False, extension_scope=None, options=None), _descriptor.FieldDescriptor( name='float_ops', full_name='tensorflow.tfprof.TFCodeNodeProto.float_ops', index=4, number=5, type=3, cpp_type=2, label=1, has_default_value=False, default_value=0, message_type=None, enum_type=None, containing_type=None, is_extension=False, extension_scope=None, options=None), _descriptor.FieldDescriptor( name='total_exec_micros', full_name='tensorflow.tfprof.TFCodeNodeProto.total_exec_micros', index=5, number=6, type=3, cpp_type=2, label=1, has_default_value=False, default_value=0, message_type=None, enum_type=None, containing_type=None, is_extension=False, extension_scope=None, options=None), _descriptor.FieldDescriptor( name='total_requested_bytes', full_name='tensorflow.tfprof.TFCodeNodeProto.total_requested_bytes', index=6, number=7, type=3, cpp_type=2, label=1, has_default_value=False, default_value=0, message_type=None, enum_type=None, containing_type=None, is_extension=False, extension_scope=None, options=None), _descriptor.FieldDescriptor( name='total_parameters', full_name='tensorflow.tfprof.TFCodeNodeProto.total_parameters', index=7, number=8, type=3, cpp_type=2, label=1, has_default_value=False, default_value=0, message_type=None, enum_type=None, containing_type=None, is_extension=False, extension_scope=None, options=None), _descriptor.FieldDescriptor( name='total_float_ops', full_name='tensorflow.tfprof.TFCodeNodeProto.total_float_ops', index=8, number=9, type=3, cpp_type=2, label=1, has_default_value=False, default_value=0, message_type=None, enum_type=None, containing_type=None, is_extension=False, extension_scope=None, options=None), _descriptor.FieldDescriptor( name='graph_nodes', full_name='tensorflow.tfprof.TFCodeNodeProto.graph_nodes', index=9, number=10, type=11, cpp_type=10, label=3, has_default_value=False, default_value=[], message_type=None, enum_type=None, containing_type=None, is_extension=False, extension_scope=None, options=None), _descriptor.FieldDescriptor( name='children', full_name='tensorflow.tfprof.TFCodeNodeProto.children', index=10, number=11, type=11, cpp_type=10, label=3, has_default_value=False, default_value=[], message_type=None, enum_type=None, containing_type=None, is_extension=False, extension_scope=None, options=None), ], extensions=[ ], nested_types=[], enum_types=[ ], options=None, is_extendable=False, syntax='proto2', extension_ranges=[], oneofs=[ ], serialized_start=717, serialized_end=1054, ) _TFPROFTENSORPROTO.fields_by_name['dtype'].enum_type = tensorflow_dot_core_dot_framework_dot_types__pb2._DATATYPE _TFGRAPHNODEPROTO.fields_by_name['tensor_value'].message_type = _TFPROFTENSORPROTO _TFGRAPHNODEPROTO.fields_by_name['shapes'].message_type = tensorflow_dot_core_dot_framework_dot_tensor__shape__pb2._TENSORSHAPEPROTO _TFGRAPHNODEPROTO.fields_by_name['children'].message_type = _TFGRAPHNODEPROTO _TFCODENODEPROTO.fields_by_name['graph_nodes'].message_type = _TFGRAPHNODEPROTO _TFCODENODEPROTO.fields_by_name['children'].message_type = _TFCODENODEPROTO DESCRIPTOR.message_types_by_name['TFProfTensorProto'] = _TFPROFTENSORPROTO DESCRIPTOR.message_types_by_name['TFGraphNodeProto'] = _TFGRAPHNODEPROTO DESCRIPTOR.message_types_by_name['TFCodeNodeProto'] = _TFCODENODEPROTO TFProfTensorProto = _reflection.GeneratedProtocolMessageType('TFProfTensorProto', (_message.Message,), dict( DESCRIPTOR = _TFPROFTENSORPROTO, __module__ = 'tensorflow.tools.tfprof.tfprof_output_pb2' # @@protoc_insertion_point(class_scope:tensorflow.tfprof.TFProfTensorProto) )) _sym_db.RegisterMessage(TFProfTensorProto) TFGraphNodeProto = _reflection.GeneratedProtocolMessageType('TFGraphNodeProto', (_message.Message,), dict( DESCRIPTOR = _TFGRAPHNODEPROTO, __module__ = 'tensorflow.tools.tfprof.tfprof_output_pb2' # @@protoc_insertion_point(class_scope:tensorflow.tfprof.TFGraphNodeProto) )) _sym_db.RegisterMessage(TFGraphNodeProto) TFCodeNodeProto = _reflection.GeneratedProtocolMessageType('TFCodeNodeProto', (_message.Message,), dict( DESCRIPTOR = _TFCODENODEPROTO, __module__ = 'tensorflow.tools.tfprof.tfprof_output_pb2' # @@protoc_insertion_point(class_scope:tensorflow.tfprof.TFCodeNodeProto) )) _sym_db.RegisterMessage(TFCodeNodeProto) # @@protoc_insertion_point(module_scope) ```
```smalltalk using System; using System.Linq.Expressions; using Microsoft.EntityFrameworkCore.Query; using Microsoft.EntityFrameworkCore.Utilities; namespace Pomelo.EntityFrameworkCore.MySql.Query.Expressions.Internal; public class MySqlBipolarExpression : Expression { public MySqlBipolarExpression( Expression defaultExpression, Expression alternativeExpression) { Check.NotNull(defaultExpression, nameof(defaultExpression)); Check.NotNull(alternativeExpression, nameof(alternativeExpression)); DefaultExpression = defaultExpression; AlternativeExpression = alternativeExpression; } public virtual Expression DefaultExpression { get; } public virtual Expression AlternativeExpression { get; } public override ExpressionType NodeType => ExpressionType.UnaryPlus; public override Type Type => DefaultExpression.Type; protected override Expression VisitChildren(ExpressionVisitor visitor) { var defaultExpression = visitor.Visit(DefaultExpression); var alternativeExpression = visitor.Visit(AlternativeExpression); return Update(defaultExpression, alternativeExpression); } public virtual MySqlBipolarExpression Update(Expression defaultExpression, Expression alternativeExpression) => defaultExpression != DefaultExpression || alternativeExpression != AlternativeExpression ? new MySqlBipolarExpression(defaultExpression, alternativeExpression) : this; public override string ToString() { var expressionPrinter = new ExpressionPrinter(); expressionPrinter.AppendLine("<MySqlBipolarExpression>("); using (expressionPrinter.Indent()) { expressionPrinter.Append("Default: "); expressionPrinter.Visit(DefaultExpression); expressionPrinter.AppendLine(); expressionPrinter.Append("Alternative: "); expressionPrinter.Visit(AlternativeExpression); expressionPrinter.AppendLine(); } expressionPrinter.Append(")"); return expressionPrinter.ToString(); } public override bool Equals(object obj) => obj != null && (ReferenceEquals(this, obj) || obj is MySqlBipolarExpression bipolarExpression && Equals(bipolarExpression)); private bool Equals(MySqlBipolarExpression bipolarExpression) => base.Equals(bipolarExpression) && DefaultExpression.Equals(bipolarExpression.DefaultExpression) && AlternativeExpression.Equals(bipolarExpression.AlternativeExpression); public override int GetHashCode() => HashCode.Combine(base.GetHashCode(), DefaultExpression, AlternativeExpression); } ```
```java /** * or more contributor license agreements. See the NOTICE file * distributed with this work for additional information * regarding copyright ownership. The ASF licenses this file * * path_to_url * * Unless required by applicable law or agreed to in writing, software * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. */ package com.twitter.distributedlog.util; import org.apache.commons.configuration.CompositeConfiguration; import org.apache.commons.configuration.Configuration; import org.junit.Test; import static org.junit.Assert.*; public class TestConfUtils { @Test public void testLoadConfiguration() { Configuration conf1 = new CompositeConfiguration(); conf1.setProperty("key1", "value1"); conf1.setProperty("key2", "value2"); conf1.setProperty("key3", "value3"); Configuration conf2 = new CompositeConfiguration(); conf2.setProperty("bkc.key1", "bkc.value1"); conf2.setProperty("bkc.key4", "bkc.value4"); assertEquals("value1", conf1.getString("key1")); assertEquals("value2", conf1.getString("key2")); assertEquals("value3", conf1.getString("key3")); assertEquals(null, conf1.getString("key4")); ConfUtils.loadConfiguration(conf1, conf2, "bkc."); assertEquals("bkc.value1", conf1.getString("key1")); assertEquals("value2", conf1.getString("key2")); assertEquals("value3", conf1.getString("key3")); assertEquals("bkc.value4", conf1.getString("key4")); assertEquals(null, conf1.getString("bkc.key1")); assertEquals(null, conf1.getString("bkc.key4")); } } ```
Atanas Nikolovski (born 22 June 1980 in Skopje) is a Macedonian slalom canoer who has competed since the mid-1990s. In 2009, Atanas achieved 14th place in the world ranking race in Sydney, Australia. He came 1st in the semi-finals, and 7th in the finals of the 2010 ICF Canoe Slalom World Championships. At the 2008 Summer Olympics in Beijing, he was the flag-bearer for his nation during the opening ceremonies of those games. In the K-1 event, Nikolovski was eliminated in the qualifying round, finishing in 19th place. Atanas is sponsored by Herbalife. References Sports-Reference.com profile 1980 births Canoeists at the 2008 Summer Olympics Living people Macedonian male canoeists Olympic canoeists for North Macedonia
Tatiana Alekseyevna Kusayko (; 3 January 1961, Butenki, Kobeliaky Raion) is a Russian political figure. She was a member of the Federation Council between 2016 and 2021 and deputy of the 8th State Duma since 2021. In 1983, Kusayko graduated from the Kharkiv National Medical University and went to Murmansk to work in a local hospital. In June 2011, she was appointed chief physician of the municipal budgetary healthcare institution "Children's Polyclinic No. 1" in Murmansk. From 2014 to 2016, she was a deputy of the Council of Deputies of the city of Murmansk. In 2016, Kusayko became a member of the All-Russia People's Front central office. On 18 September 2016, she was elected a deputy of the Murmansk Oblast Duma of the 6th convocation for United Russia. In 2016, she ran for the 7th State Duma but was not elected. Instead on 6 October 2016 she was appointed to the Federation Council. In 2021, she was elected for the 8th State Duma. References 1960 births Living people United Russia politicians 21st-century Russian women politicians Eighth convocation members of the State Duma (Russian Federation) Members of the Federation Council of Russia (after 2000)
```javascript const EventEmitter = require('events') const plans = require('./plans') const cronParser = require('cron-parser') const Attorney = require('./attorney') const QUEUES = { SEND_IT: '__pgboss__send-it' } const EVENTS = { error: 'error', schedule: 'schedule' } class Timekeeper extends EventEmitter { constructor (db, config) { super() this.db = db this.config = config this.manager = config.manager this.skewMonitorIntervalMs = config.clockMonitorIntervalSeconds * 1000 this.cronMonitorIntervalMs = config.cronMonitorIntervalSeconds * 1000 this.clockSkew = 0 this.events = EVENTS this.getTimeCommand = plans.getTime(config.schema) this.getQueueCommand = plans.getQueueByName(config.schema) this.getSchedulesCommand = plans.getSchedules(config.schema) this.scheduleCommand = plans.schedule(config.schema) this.unscheduleCommand = plans.unschedule(config.schema) this.trySetCronTimeCommand = plans.trySetCronTime(config.schema) this.functions = [ this.schedule, this.unschedule, this.getSchedules ] this.stopped = true } async start () { // setting the archive config too low breaks the cron 60s debounce interval so don't even try if (this.config.archiveSeconds < 60 || this.config.archiveFailedSeconds < 60) { return } this.stopped = false await this.cacheClockSkew() try { await this.manager.createQueue(QUEUES.SEND_IT) } catch {} const options = { pollingIntervalSeconds: this.config.cronWorkerIntervalSeconds, batchSize: 50 } await this.manager.work(QUEUES.SEND_IT, options, (jobs) => this.manager.insert(jobs.map(i => i.data))) setImmediate(() => this.onCron()) this.cronMonitorInterval = setInterval(async () => await this.onCron(), this.cronMonitorIntervalMs) this.skewMonitorInterval = setInterval(async () => await this.cacheClockSkew(), this.skewMonitorIntervalMs) } async stop () { if (this.stopped) { return } this.stopped = true await this.manager.offWork(QUEUES.SEND_IT) if (this.skewMonitorInterval) { clearInterval(this.skewMonitorInterval) this.skewMonitorInterval = null } if (this.cronMonitorInterval) { clearInterval(this.cronMonitorInterval) this.cronMonitorInterval = null } } async cacheClockSkew () { let skew = 0 try { if (this.config.__test__force_clock_monitoring_error) { throw new Error(this.config.__test__force_clock_monitoring_error) } const { rows } = await this.db.executeSql(this.getTimeCommand) const local = Date.now() const dbTime = parseFloat(rows[0].time) skew = dbTime - local const skewSeconds = Math.abs(skew) / 1000 if (skewSeconds >= 60 || this.config.__test__force_clock_skew_warning) { Attorney.warnClockSkew(`Instance clock is ${skewSeconds}s ${skew > 0 ? 'slower' : 'faster'} than database.`) } } catch (err) { this.emit(this.events.error, err) } finally { this.clockSkew = skew } } async onCron () { try { if (this.stopped || this.timekeeping) return if (this.config.__test__force_cron_monitoring_error) { throw new Error(this.config.__test__force_cron_monitoring_error) } this.timekeeping = true const { rows } = await this.db.executeSql(this.trySetCronTimeCommand, [this.config.cronMonitorIntervalSeconds]) if (rows.length === 1 && !this.stopped) { await this.cron() } } catch (err) { this.emit(this.events.error, err) } finally { this.timekeeping = false } } async cron () { const schedules = await this.getSchedules() const scheduled = schedules .filter(i => this.shouldSendIt(i.cron, i.timezone)) .map(({ name, data, options }) => ({ name: QUEUES.SEND_IT, data: { name, data, options }, options: { singletonKey: name, singletonSeconds: 60 } })) if (scheduled.length > 0 && !this.stopped) { await this.manager.insert(scheduled) } } shouldSendIt (cron, tz) { const interval = cronParser.parseExpression(cron, { tz }) const prevTime = interval.prev() const databaseTime = Date.now() + this.clockSkew const prevDiff = (databaseTime - prevTime.getTime()) / 1000 return prevDiff < 60 } async getSchedules () { const { rows } = await this.db.executeSql(this.getSchedulesCommand) return rows } async schedule (name, cron, data, options = {}) { const { tz = 'UTC' } = options cronParser.parseExpression(cron, { tz }) Attorney.checkSendArgs([name, data, options], this.config) const values = [name, cron, tz, data, options] try { await this.db.executeSql(this.scheduleCommand, values) } catch (err) { if (err.message.includes('foreign key')) { err.message = `Queue ${name} not found` } throw err } } async unschedule (name) { await this.db.executeSql(this.unscheduleCommand, [name]) } } module.exports = Timekeeper module.exports.QUEUES = QUEUES ```
The Microregion of Catanduva () is located on the north of São Paulo state, Brazil, and is made up of 13 municipalities. It belongs to the Mesoregion of São José do Rio Preto. The microregion has a population of 221,465 inhabitants, in an area of 2,283.6 km² Municipalities The microregion consists of the following municipalities, listed below with their 2010 Census populations (IBGE/2010): Ariranha: 8,547 Cajobi: 9,768 Catanduva: 112,820 Catiguá: 7,127 Elisiário: 3,120 Embaúba: 2,423 Novais: 4,592 Palmares Paulista: 10,934 Paraíso: 5,898 Pindorama: 15,039 Santa Adélia: 14,333 Severínia: 15,501 Tabapuã: 11,363 References Catanduva