Unnamed: 0 int64 0 832k | id float64 2.49B 32.1B | type stringclasses 1 value | created_at stringlengths 19 19 | repo stringlengths 4 112 | repo_url stringlengths 33 141 | action stringclasses 3 values | title stringlengths 1 957 | labels stringlengths 4 1.11k | body stringlengths 1 261k | index stringclasses 11 values | text_combine stringlengths 95 261k | label stringclasses 2 values | text stringlengths 96 250k | binary_label int64 0 1 |
|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|
23,513 | 11,996,631,790 | IssuesEvent | 2020-04-08 17:05:49 | coq/coq | https://api.github.com/repos/coq/coq | opened | There should be a version of (typeclasses)(e)auto that shares subterms of the proof | kind: enhancement kind: performance | Here is an example where it makes a big difference:
```coq
Fixpoint big n
:= match n with
| O => True
| S n => big n /\ big n
end.
Ltac fast_auto_conj :=
first [ assumption
| lazymatch goal with
| [ |- True ] => exact I
| [ |- ?A /\ ?B ]
=> assert A by fast_auto_conj;
assert B by fast_auto_conj;
apply conj; solve [ fast_auto_conj ]
end
| idtac ].
Create HintDb conjdb discriminated.
Hint Resolve conj I : conjdb.
Ltac test tac n :=
lazymatch n with
| O => idtac
| S ?n => test tac n
end;
try (solve [ assert (big n) by (lazy; idtac n; once (time (tac ()))) ]; []).
Goal True.
test ltac:(fun _ => auto with conjdb) 18.
(* 0
Tactic call ran for 0. secs (0.u,0.s) (success)
1
Tactic call ran for 0. secs (0.u,0.s) (success)
2
Tactic call ran for 0. secs (0.u,0.s) (success)
3
Tactic call ran for 0. secs (0.u,0.s) (success)
4
Tactic call ran for 0. secs (0.u,0.s) (success)
5
Tactic call ran for 0.003 secs (0.003u,0.s) (success)
6
Tactic call ran for 0.003 secs (0.003u,0.s) (success)
7
Tactic call ran for 0.005 secs (0.005u,0.s) (success)
8
Tactic call ran for 0.007 secs (0.007u,0.s) (success)
9
Tactic call ran for 0.013 secs (0.013u,0.s) (success)
10
Tactic call ran for 0.025 secs (0.025u,0.s) (success)
11
Tactic call ran for 0.048 secs (0.048u,0.s) (success)
12
Tactic call ran for 0.088 secs (0.088u,0.s) (success)
13
Tactic call ran for 0.172 secs (0.172u,0.s) (success)
14
Tactic call ran for 0.359 secs (0.359u,0.s) (success)
15
Tactic call ran for 0.774 secs (0.774u,0.s) (success)
16
Tactic call ran for 1.646 secs (1.646u,0.s) (success)
17
Tactic call ran for 3.666 secs (3.666u,0.s) (success)
18
Tactic call ran for 7.903 secs (7.903u,0.s) (success)
*)
test ltac:(fun _ => fast_auto_conj) 18.
(* 0
Tactic call ran for 0. secs (0.u,0.s) (success)
1
Tactic call ran for 0. secs (0.u,0.s) (success)
2
Tactic call ran for 0. secs (0.u,0.s) (success)
3
Tactic call ran for 0. secs (0.u,0.s) (success)
4
Tactic call ran for 0. secs (0.u,0.s) (success)
5
Tactic call ran for 0. secs (0.u,0.s) (success)
6
Tactic call ran for 0. secs (0.u,0.s) (success)
7
Tactic call ran for 0.001 secs (0.001u,0.s) (success)
8
Tactic call ran for 0.002 secs (0.002u,0.s) (success)
9
Tactic call ran for 0.004 secs (0.004u,0.s) (success)
Tactic call ran for 0.004 secs (0.004u,0.s) (success)
10
Tactic call ran for 0.012 secs (0.012u,0.s) (success)
11
Tactic call ran for 0.012 secs (0.012u,0.s) (success)
12
Tactic call ran for 0.023 secs (0.023u,0.s) (success)
13
Tactic call ran for 0.047 secs (0.047u,0.s) (success)
14
Tactic call ran for 0.113 secs (0.113u,0.s) (success)
15
Tactic call ran for 0.201 secs (0.201u,0.s) (success)
16
Tactic call ran for 0.471 secs (0.471u,0.s) (success)
17
Tactic call ran for 1.103 secs (1.096u,0.007s) (success)
18
Tactic call ran for 2.451 secs (2.435u,0.015s) (success)
*)
```
Obviously there are still some bad scaling factors here, and it can probably be optimized a bit more to not duplicate the types.
I think there are actually two optimizations here that are separately useful:
1. Do some sort of caching of terms that solve subgoals, so that the proof search is not duplicated. 2. Actually deduplicate the shared subterms in the proof term.
For both of these, there would need to be some sort of "still valid in the different context" analysis. And perhaps this should be hidden behind a flag, so that if it changes the particular solution given.
Note that having this would have saved me a couple of hours of work today; I'm currently in the process of implementing this by-hand, for a specific hint database, to speed up one of the fiat-crypto files by a factor of 2 or so.
cc @ppedrot @mattam82 | True | There should be a version of (typeclasses)(e)auto that shares subterms of the proof - Here is an example where it makes a big difference:
```coq
Fixpoint big n
:= match n with
| O => True
| S n => big n /\ big n
end.
Ltac fast_auto_conj :=
first [ assumption
| lazymatch goal with
| [ |- True ] => exact I
| [ |- ?A /\ ?B ]
=> assert A by fast_auto_conj;
assert B by fast_auto_conj;
apply conj; solve [ fast_auto_conj ]
end
| idtac ].
Create HintDb conjdb discriminated.
Hint Resolve conj I : conjdb.
Ltac test tac n :=
lazymatch n with
| O => idtac
| S ?n => test tac n
end;
try (solve [ assert (big n) by (lazy; idtac n; once (time (tac ()))) ]; []).
Goal True.
test ltac:(fun _ => auto with conjdb) 18.
(* 0
Tactic call ran for 0. secs (0.u,0.s) (success)
1
Tactic call ran for 0. secs (0.u,0.s) (success)
2
Tactic call ran for 0. secs (0.u,0.s) (success)
3
Tactic call ran for 0. secs (0.u,0.s) (success)
4
Tactic call ran for 0. secs (0.u,0.s) (success)
5
Tactic call ran for 0.003 secs (0.003u,0.s) (success)
6
Tactic call ran for 0.003 secs (0.003u,0.s) (success)
7
Tactic call ran for 0.005 secs (0.005u,0.s) (success)
8
Tactic call ran for 0.007 secs (0.007u,0.s) (success)
9
Tactic call ran for 0.013 secs (0.013u,0.s) (success)
10
Tactic call ran for 0.025 secs (0.025u,0.s) (success)
11
Tactic call ran for 0.048 secs (0.048u,0.s) (success)
12
Tactic call ran for 0.088 secs (0.088u,0.s) (success)
13
Tactic call ran for 0.172 secs (0.172u,0.s) (success)
14
Tactic call ran for 0.359 secs (0.359u,0.s) (success)
15
Tactic call ran for 0.774 secs (0.774u,0.s) (success)
16
Tactic call ran for 1.646 secs (1.646u,0.s) (success)
17
Tactic call ran for 3.666 secs (3.666u,0.s) (success)
18
Tactic call ran for 7.903 secs (7.903u,0.s) (success)
*)
test ltac:(fun _ => fast_auto_conj) 18.
(* 0
Tactic call ran for 0. secs (0.u,0.s) (success)
1
Tactic call ran for 0. secs (0.u,0.s) (success)
2
Tactic call ran for 0. secs (0.u,0.s) (success)
3
Tactic call ran for 0. secs (0.u,0.s) (success)
4
Tactic call ran for 0. secs (0.u,0.s) (success)
5
Tactic call ran for 0. secs (0.u,0.s) (success)
6
Tactic call ran for 0. secs (0.u,0.s) (success)
7
Tactic call ran for 0.001 secs (0.001u,0.s) (success)
8
Tactic call ran for 0.002 secs (0.002u,0.s) (success)
9
Tactic call ran for 0.004 secs (0.004u,0.s) (success)
Tactic call ran for 0.004 secs (0.004u,0.s) (success)
10
Tactic call ran for 0.012 secs (0.012u,0.s) (success)
11
Tactic call ran for 0.012 secs (0.012u,0.s) (success)
12
Tactic call ran for 0.023 secs (0.023u,0.s) (success)
13
Tactic call ran for 0.047 secs (0.047u,0.s) (success)
14
Tactic call ran for 0.113 secs (0.113u,0.s) (success)
15
Tactic call ran for 0.201 secs (0.201u,0.s) (success)
16
Tactic call ran for 0.471 secs (0.471u,0.s) (success)
17
Tactic call ran for 1.103 secs (1.096u,0.007s) (success)
18
Tactic call ran for 2.451 secs (2.435u,0.015s) (success)
*)
```
Obviously there are still some bad scaling factors here, and it can probably be optimized a bit more to not duplicate the types.
I think there are actually two optimizations here that are separately useful:
1. Do some sort of caching of terms that solve subgoals, so that the proof search is not duplicated. 2. Actually deduplicate the shared subterms in the proof term.
For both of these, there would need to be some sort of "still valid in the different context" analysis. And perhaps this should be hidden behind a flag, so that if it changes the particular solution given.
Note that having this would have saved me a couple of hours of work today; I'm currently in the process of implementing this by-hand, for a specific hint database, to speed up one of the fiat-crypto files by a factor of 2 or so.
cc @ppedrot @mattam82 | non_design | there should be a version of typeclasses e auto that shares subterms of the proof here is an example where it makes a big difference coq fixpoint big n match n with o true s n big n big n end ltac fast auto conj first assumption lazymatch goal with exact i assert a by fast auto conj assert b by fast auto conj apply conj solve end idtac create hintdb conjdb discriminated hint resolve conj i conjdb ltac test tac n lazymatch n with o idtac s n test tac n end try solve goal true test ltac fun auto with conjdb tactic call ran for secs u s success tactic call ran for secs u s success tactic call ran for secs u s success tactic call ran for secs u s success tactic call ran for secs u s success tactic call ran for secs s success tactic call ran for secs s success tactic call ran for secs s success tactic call ran for secs s success tactic call ran for secs s success tactic call ran for secs s success tactic call ran for secs s success tactic call ran for secs s success tactic call ran for secs s success tactic call ran for secs s success tactic call ran for secs s success tactic call ran for secs s success tactic call ran for secs s success tactic call ran for secs s success test ltac fun fast auto conj tactic call ran for secs u s success tactic call ran for secs u s success tactic call ran for secs u s success tactic call ran for secs u s success tactic call ran for secs u s success tactic call ran for secs u s success tactic call ran for secs u s success tactic call ran for secs s success tactic call ran for secs s success tactic call ran for secs s success tactic call ran for secs s success tactic call ran for secs s success tactic call ran for secs s success tactic call ran for secs s success tactic call ran for secs s success tactic call ran for secs s success tactic call ran for secs s success tactic call ran for secs s success tactic call ran for secs success tactic call ran for secs success obviously there are still some bad scaling factors here and it can probably be optimized a bit more to not duplicate the types i think there are actually two optimizations here that are separately useful do some sort of caching of terms that solve subgoals so that the proof search is not duplicated actually deduplicate the shared subterms in the proof term for both of these there would need to be some sort of still valid in the different context analysis and perhaps this should be hidden behind a flag so that if it changes the particular solution given note that having this would have saved me a couple of hours of work today i m currently in the process of implementing this by hand for a specific hint database to speed up one of the fiat crypto files by a factor of or so cc ppedrot | 0 |
113,562 | 14,445,059,465 | IssuesEvent | 2020-12-07 22:16:55 | SecretFoundation/SecretWebsite | https://api.github.com/repos/SecretFoundation/SecretWebsite | closed | Create hover state for CTA cards [Homepage] | design | - increase size when hovering (?)
Reference: [https://ethereum.org/en/what-is-ethereum/](url)


Figma: [https://www.figma.com/file/1MWJTRPRpoZUmIpzE4cMj2/SCRT_REVIEW?node-id=857%3A12](url)
| 1.0 | Create hover state for CTA cards [Homepage] - - increase size when hovering (?)
Reference: [https://ethereum.org/en/what-is-ethereum/](url)


Figma: [https://www.figma.com/file/1MWJTRPRpoZUmIpzE4cMj2/SCRT_REVIEW?node-id=857%3A12](url)
| design | create hover state for cta cards increase size when hovering reference url figma url | 1 |
42,141 | 5,426,796,265 | IssuesEvent | 2017-03-03 11:09:34 | metasfresh/metasfresh-webui | https://api.github.com/repos/metasfresh/metasfresh-webui | closed | Deleting header document not working | bug integrated test:add to catalog | ### Is this a bug or feature request?
Bug
### What is the current behavior?
Deleting header document is kind of not happening.
#### Which are the steps to reproduce?
Create an order and fill the bpartner, so it will be saved for sure.
Now, pls copy the current URL to your clipboard.
Delete the order. You are forwarded to orders view.
Call the URL you have copied.
Document is displayed => NOK. An error is expected because the document shall not exist.
### What is the expected or desired behavior?
Delete is delete.
| 1.0 | Deleting header document not working - ### Is this a bug or feature request?
Bug
### What is the current behavior?
Deleting header document is kind of not happening.
#### Which are the steps to reproduce?
Create an order and fill the bpartner, so it will be saved for sure.
Now, pls copy the current URL to your clipboard.
Delete the order. You are forwarded to orders view.
Call the URL you have copied.
Document is displayed => NOK. An error is expected because the document shall not exist.
### What is the expected or desired behavior?
Delete is delete.
| non_design | deleting header document not working is this a bug or feature request bug what is the current behavior deleting header document is kind of not happening which are the steps to reproduce create an order and fill the bpartner so it will be saved for sure now pls copy the current url to your clipboard delete the order you are forwarded to orders view call the url you have copied document is displayed nok an error is expected because the document shall not exist what is the expected or desired behavior delete is delete | 0 |
120,517 | 15,773,814,882 | IssuesEvent | 2021-03-31 23:57:59 | Stevens-DSC/marketplace-web | https://api.github.com/repos/Stevens-DSC/marketplace-web | closed | Search box/input box component class | designteam good first issue techteam | This general component should have reasonable features, and should follow design inspiration from mockups. Please feel free to use temporary values for styling for now.
Features:
* `onChange` function
* `onSubmit` function (when someone presses enter)
* `placeholder` value
* store the `value` in the state
Should be a React component under `src/client/components/ui`. | 1.0 | Search box/input box component class - This general component should have reasonable features, and should follow design inspiration from mockups. Please feel free to use temporary values for styling for now.
Features:
* `onChange` function
* `onSubmit` function (when someone presses enter)
* `placeholder` value
* store the `value` in the state
Should be a React component under `src/client/components/ui`. | design | search box input box component class this general component should have reasonable features and should follow design inspiration from mockups please feel free to use temporary values for styling for now features onchange function onsubmit function when someone presses enter placeholder value store the value in the state should be a react component under src client components ui | 1 |
53,600 | 6,735,134,461 | IssuesEvent | 2017-10-18 20:36:27 | HabitRPG/habitica | https://api.github.com/repos/HabitRPG/habitica | closed | Undefined as Description | hacktoberfest POST-REDESIGN priority: medium sections: Avatar/User Modal status: issue: in progress | [//]: # (Before logging this issue, please post to the Report a Bug guild from the Habitica website's Help menu. Most bugs can be handled quickly there. If a GitHub issue is needed, you will be advised of that by a moderator or staff member -- a player with a dark blue or purple name. It is recommended that you don't create a new issue unless advised to.)
[//]: # (Bugs in the mobile apps can also be reported there.)
[//]: # (If you have a feature request, use "Help > Request a Feature", not GitHub or the Report a Bug guild.)
[//]: # (For more guidelines see https://github.com/HabitRPG/habitica/issues/2760)
[//]: # (Fill out relevant information - UUID is found in Settings -> API)
### General Info
* UUID: 0d8208a5-9485-4a2f-9be9-009d9ed5679f
* Browser: Google Chrome 61.0.3163.100 (Official Build) (64-bit)
* OS: macOS 10.12.6 (16G29)
### Description
[//]: # (Describe bug in detail here. Include screenshots if helpful.)
When you don't have a description, your About section is `undefined` we should have something like `This user doesn't have a description yet` or just a blank section

| 1.0 | Undefined as Description - [//]: # (Before logging this issue, please post to the Report a Bug guild from the Habitica website's Help menu. Most bugs can be handled quickly there. If a GitHub issue is needed, you will be advised of that by a moderator or staff member -- a player with a dark blue or purple name. It is recommended that you don't create a new issue unless advised to.)
[//]: # (Bugs in the mobile apps can also be reported there.)
[//]: # (If you have a feature request, use "Help > Request a Feature", not GitHub or the Report a Bug guild.)
[//]: # (For more guidelines see https://github.com/HabitRPG/habitica/issues/2760)
[//]: # (Fill out relevant information - UUID is found in Settings -> API)
### General Info
* UUID: 0d8208a5-9485-4a2f-9be9-009d9ed5679f
* Browser: Google Chrome 61.0.3163.100 (Official Build) (64-bit)
* OS: macOS 10.12.6 (16G29)
### Description
[//]: # (Describe bug in detail here. Include screenshots if helpful.)
When you don't have a description, your About section is `undefined` we should have something like `This user doesn't have a description yet` or just a blank section

| design | undefined as description before logging this issue please post to the report a bug guild from the habitica website s help menu most bugs can be handled quickly there if a github issue is needed you will be advised of that by a moderator or staff member a player with a dark blue or purple name it is recommended that you don t create a new issue unless advised to bugs in the mobile apps can also be reported there if you have a feature request use help request a feature not github or the report a bug guild for more guidelines see fill out relevant information uuid is found in settings api general info uuid browser google chrome official build bit os macos description describe bug in detail here include screenshots if helpful when you don t have a description your about section is undefined we should have something like this user doesn t have a description yet or just a blank section | 1 |
75,883 | 9,336,014,274 | IssuesEvent | 2019-03-28 20:05:48 | apache/incubator-druid | https://api.github.com/repos/apache/incubator-druid | opened | Add SQL support for time-ordered scans | Design Review Proposal | ### Motivation
See https://github.com/apache/incubator-druid/issues/6088 for original idea. PR #7133 is close to completion and the next step is to add SQL support for time-ordered scans. This would eliminate the need for using select queries in SQL planning since the only thing select is good for is time-ordering results. Updating to use scan would improve memory performance.
### Proposed changes
The SQL planning in `DruidQuery` will be changed so that Scan is used if ordering by __time is specified. After that, Select will be essentially obsolete and will be removed from SQL planning altogether.
The user interface won't change.
### Rationale
I think removing select queries from the SQL planner completely is the best choice since its design isn't great memory-wise. Although this means that time-ordered SELECT queries that fall outside of the configurable scan time-ordering limits (default 100K rows or 30 segments per time chunk) will fail, these limits can be tuned based on machine specs to a point where the query will succeed. Furthermore, if the query is big enough to cause memory issues with scan, using a select will be even worse.
### Operational impact
No impact to overall cluster operation. Existing select queries might start failing if they're outside of the configurable row or segments per time chunk limits. | 1.0 | Add SQL support for time-ordered scans - ### Motivation
See https://github.com/apache/incubator-druid/issues/6088 for original idea. PR #7133 is close to completion and the next step is to add SQL support for time-ordered scans. This would eliminate the need for using select queries in SQL planning since the only thing select is good for is time-ordering results. Updating to use scan would improve memory performance.
### Proposed changes
The SQL planning in `DruidQuery` will be changed so that Scan is used if ordering by __time is specified. After that, Select will be essentially obsolete and will be removed from SQL planning altogether.
The user interface won't change.
### Rationale
I think removing select queries from the SQL planner completely is the best choice since its design isn't great memory-wise. Although this means that time-ordered SELECT queries that fall outside of the configurable scan time-ordering limits (default 100K rows or 30 segments per time chunk) will fail, these limits can be tuned based on machine specs to a point where the query will succeed. Furthermore, if the query is big enough to cause memory issues with scan, using a select will be even worse.
### Operational impact
No impact to overall cluster operation. Existing select queries might start failing if they're outside of the configurable row or segments per time chunk limits. | design | add sql support for time ordered scans motivation see for original idea pr is close to completion and the next step is to add sql support for time ordered scans this would eliminate the need for using select queries in sql planning since the only thing select is good for is time ordering results updating to use scan would improve memory performance proposed changes the sql planning in druidquery will be changed so that scan is used if ordering by time is specified after that select will be essentially obsolete and will be removed from sql planning altogether the user interface won t change rationale i think removing select queries from the sql planner completely is the best choice since its design isn t great memory wise although this means that time ordered select queries that fall outside of the configurable scan time ordering limits default rows or segments per time chunk will fail these limits can be tuned based on machine specs to a point where the query will succeed furthermore if the query is big enough to cause memory issues with scan using a select will be even worse operational impact no impact to overall cluster operation existing select queries might start failing if they re outside of the configurable row or segments per time chunk limits | 1 |
148,776 | 23,379,150,117 | IssuesEvent | 2022-08-11 07:47:42 | nextcloud/talk-android | https://api.github.com/repos/nextcloud/talk-android | closed | 🎨 Support Server theme | enhancement design medium 3. to review feature: 🌗 theming parity | As a company owner I would like to have the theme configured at the server visible in the mobile app.
Maybe related to #207 | 1.0 | 🎨 Support Server theme - As a company owner I would like to have the theme configured at the server visible in the mobile app.
Maybe related to #207 | design | 🎨 support server theme as a company owner i would like to have the theme configured at the server visible in the mobile app maybe related to | 1 |
15,527 | 11,573,566,874 | IssuesEvent | 2020-02-21 04:06:22 | APSIMInitiative/ApsimX | https://api.github.com/repos/APSIMInitiative/ApsimX | opened | PredictedObserved UI doesn't get updated after changing tables | bug interface/infrastructure | If I change the tables used by the predicted/observed model, the dropdowns in the UI should be updated, but this doesn't happen. | 1.0 | PredictedObserved UI doesn't get updated after changing tables - If I change the tables used by the predicted/observed model, the dropdowns in the UI should be updated, but this doesn't happen. | non_design | predictedobserved ui doesn t get updated after changing tables if i change the tables used by the predicted observed model the dropdowns in the ui should be updated but this doesn t happen | 0 |
19,947 | 3,516,796,888 | IssuesEvent | 2016-01-12 02:02:20 | waterbearlang/waterbear | https://api.github.com/repos/waterbearlang/waterbear | closed | Highlight current selection | UX / Design | We should put a CSS `outline` around selections or otherwise mark them (outline won't follow the shape of blocks well). Users can interact with selections in several ways:
There should almost always be 2 selected things: 1 step, context, or contains, and 1 value that is block-droppable. Exceptions are if there are no valid targets for the selection, or if the user intentionally multi-selects several blocks for another operation (cut/copy).
### Selection after adding a block
1. [x] Adding a step makes the step selected
2. [x] Adding a context makes the context's `wb-contains` block selected
3. [x] Adding an expression makes the first empty value of the expression selected, if any
4. [x] Selecting a step or context also selects its first empty value.
### Click blocks in script workspace to change selection
* [x] Clicking on a block in the script workspace selects the block as if it were just added.
* [x] Ctrl-click or Cmd-click will select a block without unselecting the previous block.
* ~~Shift-click or drag should select contiguous blocks.~~ [deferred, "contiguous" is tricky]
* [x] Selecting a block should select the values of the block as if it were just added.
### Click blocks in block menu to add block to script at selection
* [x] Clicking on a block in the block menu should ATTEMPT to insert the block into the selection.
Clicking on a step or context:
* [x] If contains is selected: insert into contains as first block (prepend)
* [x] If a step or context is selected: insert after that block as a sibling
Clicking on an expression:
* [x] If the selected value has a matching type, insert there
* ~~If the selected value has a sibling with and open value and matching type, insert there~~
* [x] Do not auto-insert into another block than the one with selected value.
Clicking on a block in a <wb-local>:
* [x] Only add the block if it is in scope in the insert location
* [x] If the user has multiple blocks selected, the first valid block in the selection should be treated as the selected block.
* [x] If a block cannot be placed when clicked, the user should be informed why using the message view.
In all cases, once a block is added by clicking a block in the block menu, the new selection is the same as described above in "Selection after adding a block".
| 1.0 | Highlight current selection - We should put a CSS `outline` around selections or otherwise mark them (outline won't follow the shape of blocks well). Users can interact with selections in several ways:
There should almost always be 2 selected things: 1 step, context, or contains, and 1 value that is block-droppable. Exceptions are if there are no valid targets for the selection, or if the user intentionally multi-selects several blocks for another operation (cut/copy).
### Selection after adding a block
1. [x] Adding a step makes the step selected
2. [x] Adding a context makes the context's `wb-contains` block selected
3. [x] Adding an expression makes the first empty value of the expression selected, if any
4. [x] Selecting a step or context also selects its first empty value.
### Click blocks in script workspace to change selection
* [x] Clicking on a block in the script workspace selects the block as if it were just added.
* [x] Ctrl-click or Cmd-click will select a block without unselecting the previous block.
* ~~Shift-click or drag should select contiguous blocks.~~ [deferred, "contiguous" is tricky]
* [x] Selecting a block should select the values of the block as if it were just added.
### Click blocks in block menu to add block to script at selection
* [x] Clicking on a block in the block menu should ATTEMPT to insert the block into the selection.
Clicking on a step or context:
* [x] If contains is selected: insert into contains as first block (prepend)
* [x] If a step or context is selected: insert after that block as a sibling
Clicking on an expression:
* [x] If the selected value has a matching type, insert there
* ~~If the selected value has a sibling with and open value and matching type, insert there~~
* [x] Do not auto-insert into another block than the one with selected value.
Clicking on a block in a <wb-local>:
* [x] Only add the block if it is in scope in the insert location
* [x] If the user has multiple blocks selected, the first valid block in the selection should be treated as the selected block.
* [x] If a block cannot be placed when clicked, the user should be informed why using the message view.
In all cases, once a block is added by clicking a block in the block menu, the new selection is the same as described above in "Selection after adding a block".
| design | highlight current selection we should put a css outline around selections or otherwise mark them outline won t follow the shape of blocks well users can interact with selections in several ways there should almost always be selected things step context or contains and value that is block droppable exceptions are if there are no valid targets for the selection or if the user intentionally multi selects several blocks for another operation cut copy selection after adding a block adding a step makes the step selected adding a context makes the context s wb contains block selected adding an expression makes the first empty value of the expression selected if any selecting a step or context also selects its first empty value click blocks in script workspace to change selection clicking on a block in the script workspace selects the block as if it were just added ctrl click or cmd click will select a block without unselecting the previous block shift click or drag should select contiguous blocks selecting a block should select the values of the block as if it were just added click blocks in block menu to add block to script at selection clicking on a block in the block menu should attempt to insert the block into the selection clicking on a step or context if contains is selected insert into contains as first block prepend if a step or context is selected insert after that block as a sibling clicking on an expression if the selected value has a matching type insert there if the selected value has a sibling with and open value and matching type insert there do not auto insert into another block than the one with selected value clicking on a block in a only add the block if it is in scope in the insert location if the user has multiple blocks selected the first valid block in the selection should be treated as the selected block if a block cannot be placed when clicked the user should be informed why using the message view in all cases once a block is added by clicking a block in the block menu the new selection is the same as described above in selection after adding a block | 1 |
64,483 | 7,807,777,469 | IssuesEvent | 2018-06-11 17:59:46 | flutter/flutter | https://api.github.com/repos/flutter/flutter | closed | Chips text baseline is a little low | f: material design framework team: gallery | See https://www.google.com/design/spec/components/chips.html#chips-specs
See "Bananas" below. It appears that the word should be moved up just a few pixels.

Feedback from a review: "baseline of type looks a little low, makes the type seem vertically off centered"
| 1.0 | Chips text baseline is a little low - See https://www.google.com/design/spec/components/chips.html#chips-specs
See "Bananas" below. It appears that the word should be moved up just a few pixels.

Feedback from a review: "baseline of type looks a little low, makes the type seem vertically off centered"
| design | chips text baseline is a little low see see bananas below it appears that the word should be moved up just a few pixels feedback from a review baseline of type looks a little low makes the type seem vertically off centered | 1 |
83,235 | 7,867,927,204 | IssuesEvent | 2018-06-23 15:05:35 | jbeard4/SCION | https://api.github.com/repos/jbeard4/SCION | closed | fail test/scxml-test-framework/test/w3c-ecma/test336.txml.scxml | 2.0.0 Node v0.10.24 Tests fail feature:events feature:send | [https://github.com/jbeard4/scxml-test-framework/tree/master/test/scxml-test-framework/test/w3c-ecma/test336.txml.scxml](https://github.com/jbeard4/scxml-test-framework/tree/master/test/scxml-test-framework/test/w3c-ecma/test336.txml.scxml)
**Error** <code><pre>{
"name": "AssertionError",
"actual": [
"fail"
],
"expected": [
"pass"
],
"operator": "deepEqual",
"message": "[\"fail\"] deepEqual [\"pass\"]"
}</code></pre>
**Data**: <code><pre>{
"sessionToken": 491,
"nextConfiguration": [
"fail"
]
}</code></pre>
**scxml**:
``` xml
<?xml version="1.0" encoding="UTF-8"?>
<!-- test that the origin field of an external event contains a URL that lets you send back to the originator. In
this case it's the same session, so if we get bar we succeed -->
<scxml xmlns="http://www.w3.org/2005/07/scxml" xmlns:conf="http://www.w3.org/2005/scxml-conformance" initial="s0" datamodel="ecmascript" version="1.0" name="machineName">
<state id="s0">
<onentry>
<send event="foo"/>
</onentry>
<transition event="foo" target="s1">
<send event="bar" targetexpr="_event.origin" typeexpr="_event.origintype"/>
</transition>
<transition event="*" target="fail"/>
</state>
<state id="s1">
<onentry>
<send event="baz"/>
</onentry>
<transition event="bar" target="pass"/>
<transition event="*" target="fail"/>
</state>
<final id="pass"><onentry><log label="Outcome" expr="'pass'"/></onentry></final>
<final id="fail"><onentry><log label="Outcome" expr="'fail'"/></onentry></final>
</scxml>
```
**JSON**: <code><pre>{
"initialConfiguration": [
"pass"
],
"events": []
}</code></pre>
| 1.0 | fail test/scxml-test-framework/test/w3c-ecma/test336.txml.scxml - [https://github.com/jbeard4/scxml-test-framework/tree/master/test/scxml-test-framework/test/w3c-ecma/test336.txml.scxml](https://github.com/jbeard4/scxml-test-framework/tree/master/test/scxml-test-framework/test/w3c-ecma/test336.txml.scxml)
**Error** <code><pre>{
"name": "AssertionError",
"actual": [
"fail"
],
"expected": [
"pass"
],
"operator": "deepEqual",
"message": "[\"fail\"] deepEqual [\"pass\"]"
}</code></pre>
**Data**: <code><pre>{
"sessionToken": 491,
"nextConfiguration": [
"fail"
]
}</code></pre>
**scxml**:
``` xml
<?xml version="1.0" encoding="UTF-8"?>
<!-- test that the origin field of an external event contains a URL that lets you send back to the originator. In
this case it's the same session, so if we get bar we succeed -->
<scxml xmlns="http://www.w3.org/2005/07/scxml" xmlns:conf="http://www.w3.org/2005/scxml-conformance" initial="s0" datamodel="ecmascript" version="1.0" name="machineName">
<state id="s0">
<onentry>
<send event="foo"/>
</onentry>
<transition event="foo" target="s1">
<send event="bar" targetexpr="_event.origin" typeexpr="_event.origintype"/>
</transition>
<transition event="*" target="fail"/>
</state>
<state id="s1">
<onentry>
<send event="baz"/>
</onentry>
<transition event="bar" target="pass"/>
<transition event="*" target="fail"/>
</state>
<final id="pass"><onentry><log label="Outcome" expr="'pass'"/></onentry></final>
<final id="fail"><onentry><log label="Outcome" expr="'fail'"/></onentry></final>
</scxml>
```
**JSON**: <code><pre>{
"initialConfiguration": [
"pass"
],
"events": []
}</code></pre>
| non_design | fail test scxml test framework test ecma txml scxml error name assertionerror actual fail expected pass operator deepequal message deepequal data sessiontoken nextconfiguration fail scxml xml test that the origin field of an external event contains a url that lets you send back to the originator in this case it s the same session so if we get bar we succeed json initialconfiguration pass events | 0 |
827,260 | 31,762,646,489 | IssuesEvent | 2023-09-12 06:41:52 | webcompat/web-bugs | https://api.github.com/repos/webcompat/web-bugs | closed | www.jabra.com - video or audio doesn't play | browser-firefox priority-normal engine-gecko | <!-- @browser: Firefox 117.0 -->
<!-- @ua_header: Mozilla/5.0 (Windows NT 10.0; Win64; x64; rv:109.0) Gecko/20100101 Firefox/117.0 -->
<!-- @reported_with: unknown -->
<!-- @public_url: https://github.com/webcompat/web-bugs/issues/126971 -->
**URL**: https://www.jabra.com/hearing/hearing-test
**Browser / Version**: Firefox 117.0
**Operating System**: Windows 10
**Tested Another Browser**: Yes Chrome
**Problem type**: Video or audio doesn't play
**Description**: Media controls are broken or missing
**Steps to Reproduce**:
during the Jabra hearing test when selecting the different sound levels (1 thru 12) all selections chosen result in the maximum level 12 played. level 1 is supposed to be the lowest and 12 is supposed to be the highest amplitude.
<details>
<summary>Browser Configuration</summary>
<ul>
<li>None</li>
</ul>
</details>
_From [webcompat.com](https://webcompat.com/) with ❤️_ | 1.0 | www.jabra.com - video or audio doesn't play - <!-- @browser: Firefox 117.0 -->
<!-- @ua_header: Mozilla/5.0 (Windows NT 10.0; Win64; x64; rv:109.0) Gecko/20100101 Firefox/117.0 -->
<!-- @reported_with: unknown -->
<!-- @public_url: https://github.com/webcompat/web-bugs/issues/126971 -->
**URL**: https://www.jabra.com/hearing/hearing-test
**Browser / Version**: Firefox 117.0
**Operating System**: Windows 10
**Tested Another Browser**: Yes Chrome
**Problem type**: Video or audio doesn't play
**Description**: Media controls are broken or missing
**Steps to Reproduce**:
during the Jabra hearing test when selecting the different sound levels (1 thru 12) all selections chosen result in the maximum level 12 played. level 1 is supposed to be the lowest and 12 is supposed to be the highest amplitude.
<details>
<summary>Browser Configuration</summary>
<ul>
<li>None</li>
</ul>
</details>
_From [webcompat.com](https://webcompat.com/) with ❤️_ | non_design | video or audio doesn t play url browser version firefox operating system windows tested another browser yes chrome problem type video or audio doesn t play description media controls are broken or missing steps to reproduce during the jabra hearing test when selecting the different sound levels thru all selections chosen result in the maximum level played level is supposed to be the lowest and is supposed to be the highest amplitude browser configuration none from with ❤️ | 0 |
25,203 | 3,924,599,521 | IssuesEvent | 2016-04-22 15:44:08 | Esri/military-symbol-editor-addin-wpf | https://api.github.com/repos/Esri/military-symbol-editor-addin-wpf | closed | Transfer labels to another repo | 0 - Backlog 1 - Impeded 2 - In Progress 3 - Paused 4 - Verify 5 - Done B - As Designed B - Bug B - Can't Reproduce B - Data Permissions B - Duplicate B - Enhancement B - Help Wanted B - Invalid B - Known Issue B - Question B - Won't Fix effort-extra large effort-extra small effort-large effort-medium effort-small G - Defense Team priority - high priority - low priority - normal V - 10.3.1 V - Pro 1.2 | _From @lfunkhouser on March 28, 2016 19:25_
_Copied from original issue: Esri/coordinate-conversion-addin-dotnet#86_ | 1.0 | Transfer labels to another repo - _From @lfunkhouser on March 28, 2016 19:25_
_Copied from original issue: Esri/coordinate-conversion-addin-dotnet#86_ | design | transfer labels to another repo from lfunkhouser on march copied from original issue esri coordinate conversion addin dotnet | 1 |
483,588 | 13,926,571,323 | IssuesEvent | 2020-10-21 18:29:20 | wp-media/wp-rocket | https://api.github.com/repos/wp-media/wp-rocket | closed | CSS/JS combination breaks when the theme's folder contains a space | effort: [XS] module: file optimization priority: medium type: regression | **Before submitting an issue please check that you’ve completed the following steps:**
- Made sure you’re on the latest version: This was tested against `3.7.2` ✅
- Used the search feature to ensure that the bug hasn’t been reported before ✅
**Describe the bug**
When the theme's folder name contains a space, e.g. `twenty twenty`, the theme's files aren't combined, while their URLs are removed from the source code.
This leads to broken styling/functionality.
When the issue occurs, the `$filepath` here is empty:
https://github.com/wp-media/wp-rocket/blob/443f2e1b902c592bd517cbaa641571bb2ddce1a5/inc/Engine/Optimization/Minify/CSS/Combine.php#L283
because `rocket_url_to_path()` returns `false` here:
https://github.com/wp-media/wp-rocket/blob/443f2e1b902c592bd517cbaa641571bb2ddce1a5/inc/functions/formatting.php#L512
The following file path is an example that returns `false` when passed to the `is_readable()` method.
```
/home/domains/example.com/public_html/wp-content/themes/twenty%20twenty/style.css
```
@alfonso100 noted the following:
_In `3.6.4`, these CSS files coming from a theme folder containing spaces, are automatically excluded from being combined: [http://recordit.co/AFuaw5L88l](http://recordit.co/AFuaw5L88l)_
_Javascript files are not combined in any version (`3.7.2` and `3.6.4`) when the folder contains spaces._
_In `3.7.2` after updating the plugin, or activating any option in WP Rocket the error is present: the CSS fles coming from the theme are stripped from the combine…. But, if you clear the cache, the CSS file is excluded as we used to do in the previous version: [http://recordit.co/zjC6U3l8hB](http://recordit.co/zjC6U3l8hB)
And if you enable another option, the files are removed from the combine… but if you clear the cache, the CSS files are excluded and present again_
**To Reproduce**
Steps to reproduce the behavior:
1. Rename a theme folder so it contains a space.
2. Enable CSS minification/combination
3. Visit the front-end and search for a theme-specific class.
4. It shouldn't be there.
**Expected behavior**
CSS/JavaScript combination should work even when there are spaces in the theme's folders.
**Screenshots**
**Screencast of the issue:** [https://youtu.be/8ubrkkR-K_k](https://youtu.be/8ubrkkR-K_k)
**Additional context**
**Conversation in Slack:** https://wp-media.slack.com/archives/C43T1AYMQ/p1601535360090600?thread_ts=1601407796.062500&cid=C43T1AYMQ
**Related ticket:** https://secure.helpscout.net/conversation/1294708853/198137?folderId=2135277
**Backlog Grooming (for WP Media dev team use only)**
- [x] Reproduce the problem
- [x] Identify the root cause
- [x] Scope a solution
- [x] Estimate the effort
| 1.0 | CSS/JS combination breaks when the theme's folder contains a space - **Before submitting an issue please check that you’ve completed the following steps:**
- Made sure you’re on the latest version: This was tested against `3.7.2` ✅
- Used the search feature to ensure that the bug hasn’t been reported before ✅
**Describe the bug**
When the theme's folder name contains a space, e.g. `twenty twenty`, the theme's files aren't combined, while their URLs are removed from the source code.
This leads to broken styling/functionality.
When the issue occurs, the `$filepath` here is empty:
https://github.com/wp-media/wp-rocket/blob/443f2e1b902c592bd517cbaa641571bb2ddce1a5/inc/Engine/Optimization/Minify/CSS/Combine.php#L283
because `rocket_url_to_path()` returns `false` here:
https://github.com/wp-media/wp-rocket/blob/443f2e1b902c592bd517cbaa641571bb2ddce1a5/inc/functions/formatting.php#L512
The following file path is an example that returns `false` when passed to the `is_readable()` method.
```
/home/domains/example.com/public_html/wp-content/themes/twenty%20twenty/style.css
```
@alfonso100 noted the following:
_In `3.6.4`, these CSS files coming from a theme folder containing spaces, are automatically excluded from being combined: [http://recordit.co/AFuaw5L88l](http://recordit.co/AFuaw5L88l)_
_Javascript files are not combined in any version (`3.7.2` and `3.6.4`) when the folder contains spaces._
_In `3.7.2` after updating the plugin, or activating any option in WP Rocket the error is present: the CSS fles coming from the theme are stripped from the combine…. But, if you clear the cache, the CSS file is excluded as we used to do in the previous version: [http://recordit.co/zjC6U3l8hB](http://recordit.co/zjC6U3l8hB)
And if you enable another option, the files are removed from the combine… but if you clear the cache, the CSS files are excluded and present again_
**To Reproduce**
Steps to reproduce the behavior:
1. Rename a theme folder so it contains a space.
2. Enable CSS minification/combination
3. Visit the front-end and search for a theme-specific class.
4. It shouldn't be there.
**Expected behavior**
CSS/JavaScript combination should work even when there are spaces in the theme's folders.
**Screenshots**
**Screencast of the issue:** [https://youtu.be/8ubrkkR-K_k](https://youtu.be/8ubrkkR-K_k)
**Additional context**
**Conversation in Slack:** https://wp-media.slack.com/archives/C43T1AYMQ/p1601535360090600?thread_ts=1601407796.062500&cid=C43T1AYMQ
**Related ticket:** https://secure.helpscout.net/conversation/1294708853/198137?folderId=2135277
**Backlog Grooming (for WP Media dev team use only)**
- [x] Reproduce the problem
- [x] Identify the root cause
- [x] Scope a solution
- [x] Estimate the effort
| non_design | css js combination breaks when the theme s folder contains a space before submitting an issue please check that you’ve completed the following steps made sure you’re on the latest version this was tested against ✅ used the search feature to ensure that the bug hasn’t been reported before ✅ describe the bug when the theme s folder name contains a space e g twenty twenty the theme s files aren t combined while their urls are removed from the source code this leads to broken styling functionality when the issue occurs the filepath here is empty because rocket url to path returns false here the following file path is an example that returns false when passed to the is readable method home domains example com public html wp content themes twenty style css noted the following in these css files coming from a theme folder containing spaces are automatically excluded from being combined javascript files are not combined in any version and when the folder contains spaces in after updating the plugin or activating any option in wp rocket the error is present the css fles coming from the theme are stripped from the combine… but if you clear the cache the css file is excluded as we used to do in the previous version and if you enable another option the files are removed from the combine… but if you clear the cache the css files are excluded and present again to reproduce steps to reproduce the behavior rename a theme folder so it contains a space enable css minification combination visit the front end and search for a theme specific class it shouldn t be there expected behavior css javascript combination should work even when there are spaces in the theme s folders screenshots screencast of the issue additional context conversation in slack related ticket backlog grooming for wp media dev team use only reproduce the problem identify the root cause scope a solution estimate the effort | 0 |
108,304 | 13,613,595,624 | IssuesEvent | 2020-09-23 12:07:29 | cgeo/cgeo | https://api.github.com/repos/cgeo/cgeo | closed | Whitespace is inserted for signature placeholders | Frontend Design Prio - Low | Everytime I edit my signature and use the "Insert placeholder" feature a whitespace is added in front of it.
Example:
I have written `Cache count:` and select to insert [NUMBER] this will result it `Cache count: [NUMBER]` instead of `Cache count:[NUMBER]`
| 1.0 | Whitespace is inserted for signature placeholders - Everytime I edit my signature and use the "Insert placeholder" feature a whitespace is added in front of it.
Example:
I have written `Cache count:` and select to insert [NUMBER] this will result it `Cache count: [NUMBER]` instead of `Cache count:[NUMBER]`
| design | whitespace is inserted for signature placeholders everytime i edit my signature and use the insert placeholder feature a whitespace is added in front of it example i have written cache count and select to insert this will result it cache count instead of cache count | 1 |
290,617 | 25,080,475,152 | IssuesEvent | 2022-11-07 18:51:28 | SasView/sasview | https://api.github.com/repos/SasView/sasview | closed | Testing needs to be hermetic against user config | Testing Critical Housekeeping | As more things go into the user config file, the user's config ability to break the test suite, generating either false positives (as seen in #2294) or false negatives.
The test harness needs to grow a means of ensuring that the tests are run with an empty or non-existent config files for sasview, sasmodels, matplotlib etc.
It's likely that a pytest fixture for the config can be employed for this. Popping it in `conftest.py`, making it class-scoped, and auto-used is probably enough. Making it automatic enough that we don't need to add hundreds of fixture uses to the functions would be worthwhile. Rather than creating (or emptying) the config file each time, just moving to a new empty temporary directory and pointing `HOME` at it each time might work.
| 1.0 | Testing needs to be hermetic against user config - As more things go into the user config file, the user's config ability to break the test suite, generating either false positives (as seen in #2294) or false negatives.
The test harness needs to grow a means of ensuring that the tests are run with an empty or non-existent config files for sasview, sasmodels, matplotlib etc.
It's likely that a pytest fixture for the config can be employed for this. Popping it in `conftest.py`, making it class-scoped, and auto-used is probably enough. Making it automatic enough that we don't need to add hundreds of fixture uses to the functions would be worthwhile. Rather than creating (or emptying) the config file each time, just moving to a new empty temporary directory and pointing `HOME` at it each time might work.
| non_design | testing needs to be hermetic against user config as more things go into the user config file the user s config ability to break the test suite generating either false positives as seen in or false negatives the test harness needs to grow a means of ensuring that the tests are run with an empty or non existent config files for sasview sasmodels matplotlib etc it s likely that a pytest fixture for the config can be employed for this popping it in conftest py making it class scoped and auto used is probably enough making it automatic enough that we don t need to add hundreds of fixture uses to the functions would be worthwhile rather than creating or emptying the config file each time just moving to a new empty temporary directory and pointing home at it each time might work | 0 |
33,841 | 4,511,451,093 | IssuesEvent | 2016-09-03 02:15:08 | backdrop/backdrop-issues | https://api.github.com/repos/backdrop/backdrop-issues | closed | Seven maintenance page should not show sidebar if there is nothing in it | audience - design pr - needs review status - has pull request type - bug report | The Seven maintenance page leaves a gap on the left side where the sidebar should be even if there is nothing in it:

Let's do a little CSS to only leave space for the sidebar if present:

| 1.0 | Seven maintenance page should not show sidebar if there is nothing in it - The Seven maintenance page leaves a gap on the left side where the sidebar should be even if there is nothing in it:

Let's do a little CSS to only leave space for the sidebar if present:

| design | seven maintenance page should not show sidebar if there is nothing in it the seven maintenance page leaves a gap on the left side where the sidebar should be even if there is nothing in it let s do a little css to only leave space for the sidebar if present | 1 |
14,264 | 3,389,840,319 | IssuesEvent | 2015-11-30 06:36:22 | ledgersmb/LedgerSMB | https://api.github.com/repos/ledgersmb/LedgerSMB | opened | Follow up on db tests | testing | Make db tests properly test load incrementally. Right now they just test generally that things are where they should be, so in particular the Fixes.sql did not trigger a failure.
So we need individual module tests. And we need good fix application tests, both for beta 4
This is a followup on #1100 | 1.0 | Follow up on db tests - Make db tests properly test load incrementally. Right now they just test generally that things are where they should be, so in particular the Fixes.sql did not trigger a failure.
So we need individual module tests. And we need good fix application tests, both for beta 4
This is a followup on #1100 | non_design | follow up on db tests make db tests properly test load incrementally right now they just test generally that things are where they should be so in particular the fixes sql did not trigger a failure so we need individual module tests and we need good fix application tests both for beta this is a followup on | 0 |
7,216 | 2,599,166,308 | IssuesEvent | 2015-02-23 04:15:38 | CSSE1001/MyPyTutor | https://api.github.com/repos/CSSE1001/MyPyTutor | opened | Highlight the correct line for runtime errors in wrapped code | enhancement priority: low | The line number of runtime errors is extracted in `TestResult._addResult` and used to indicate which line, if any, should be highlighted for a particular test.
In the case of compile errors, this is achieved directly in the `run_test` function.
The latter function has access to whether the student code has been wrapped or not, and if so, how many lines of padding were added at the top of the file. The former does not; it is far too deep in the testing hierarchy to know that.
As a result, the incorrect line is highlighted for runtime errors in wrapped code. At the moment, this means they are off by one (but that could change if the wrapping changes).
Because the code is being execed, we don't have access to the actual source of the error line, meaning we can't match on that. Using a global would be possible, but for now I'd rather have the error than complicate the framework in that way. | 1.0 | Highlight the correct line for runtime errors in wrapped code - The line number of runtime errors is extracted in `TestResult._addResult` and used to indicate which line, if any, should be highlighted for a particular test.
In the case of compile errors, this is achieved directly in the `run_test` function.
The latter function has access to whether the student code has been wrapped or not, and if so, how many lines of padding were added at the top of the file. The former does not; it is far too deep in the testing hierarchy to know that.
As a result, the incorrect line is highlighted for runtime errors in wrapped code. At the moment, this means they are off by one (but that could change if the wrapping changes).
Because the code is being execed, we don't have access to the actual source of the error line, meaning we can't match on that. Using a global would be possible, but for now I'd rather have the error than complicate the framework in that way. | non_design | highlight the correct line for runtime errors in wrapped code the line number of runtime errors is extracted in testresult addresult and used to indicate which line if any should be highlighted for a particular test in the case of compile errors this is achieved directly in the run test function the latter function has access to whether the student code has been wrapped or not and if so how many lines of padding were added at the top of the file the former does not it is far too deep in the testing hierarchy to know that as a result the incorrect line is highlighted for runtime errors in wrapped code at the moment this means they are off by one but that could change if the wrapping changes because the code is being execed we don t have access to the actual source of the error line meaning we can t match on that using a global would be possible but for now i d rather have the error than complicate the framework in that way | 0 |
127,616 | 17,332,321,227 | IssuesEvent | 2021-07-28 05:18:18 | pandas-dev/pandas | https://api.github.com/repos/pandas-dev/pandas | closed | ENH: str.replace on multiple columns | API Design Enhancement Strings | #IT WORKS
df['Total'] = df['Total'].str.replace(r'\.', '')
df['Homes'] = df['Homes'].str.replace(r'\.', '')
df['Dones'] = df['Dones'].str.replace(r'\.', '')
#IT DOESNT WORK
cols = ["Total", "Homes", "Dones"]
df[cols] = df[cols].str.replace(r'\.', '')
On Pandas 1.0.1 | 1.0 | ENH: str.replace on multiple columns - #IT WORKS
df['Total'] = df['Total'].str.replace(r'\.', '')
df['Homes'] = df['Homes'].str.replace(r'\.', '')
df['Dones'] = df['Dones'].str.replace(r'\.', '')
#IT DOESNT WORK
cols = ["Total", "Homes", "Dones"]
df[cols] = df[cols].str.replace(r'\.', '')
On Pandas 1.0.1 | design | enh str replace on multiple columns it works df df str replace r df df str replace r df df str replace r it doesnt work cols df df str replace r on pandas | 1 |
24,268 | 11,019,471,304 | IssuesEvent | 2019-12-05 12:45:58 | nucypher/nucypher | https://api.github.com/repos/nucypher/nucypher | closed | Set correct read/write permissions on the contract_registry when it's written | Configuration Security wontfix | The contract registry should have 400 perms on it to ensure that no one (besides root) can modify the file.
We'll probably need to adjust the CLI UX to require root permissions to delete the registry during an upgrade or something. | True | Set correct read/write permissions on the contract_registry when it's written - The contract registry should have 400 perms on it to ensure that no one (besides root) can modify the file.
We'll probably need to adjust the CLI UX to require root permissions to delete the registry during an upgrade or something. | non_design | set correct read write permissions on the contract registry when it s written the contract registry should have perms on it to ensure that no one besides root can modify the file we ll probably need to adjust the cli ux to require root permissions to delete the registry during an upgrade or something | 0 |
190,730 | 6,821,967,327 | IssuesEvent | 2017-11-07 18:27:47 | GoogleCloudPlatform/google-cloud-java | https://api.github.com/repos/GoogleCloudPlatform/google-cloud-java | closed | cloud-datastore-emulator Version 1.3 leads to "Invalid version format" | API: datastore Priority: P1 Type: Bug | After updating to Google Cloud SDK 177.0.0, we found the LocalDatastoreHelper crashing in the following way:
<code>
java.lang.IllegalStateException: Failed to load ApplicationContext
at org.springframework.test.context.cache.DefaultCacheAwareContextLoaderDelegate.loadContext(DefaultCacheAwareContextLoaderDelegate.java:124)
at org.springframework.test.context.support.DefaultTestContext.getApplicationContext(DefaultTestContext.java:83)
at org.springframework.boot.test.autoconfigure.SpringBootDependencyInjectionTestExecutionListener.prepareTestInstance(SpringBootDependencyInjectionTestExecutionListener.java:47)
{...}
Caused by: java.lang.IllegalArgumentException: Invalid version format
at com.google.cloud.testing.Version.fromString(Version.java:90) ~[google-cloud-core-1.0.2.jar:1.0.2]
at com.google.cloud.testing.BaseEmulatorHelper$GcloudEmulatorRunner.getInstalledEmulatorVersion(BaseEmulatorHelper.java:327) ~[google-cloud-core-1.0.2.jar:1.0.2]
at com.google.cloud.testing.BaseEmulatorHelper$GcloudEmulatorRunner.isEmulatorUpToDate(BaseEmulatorHelper.java:306) ~[google-cloud-core-1.0.2.jar:1.0.2]
at com.google.cloud.testing.BaseEmulatorHelper$GcloudEmulatorRunner.isAvailable(BaseEmulatorHelper.java:272) ~[google-cloud-core-1.0.2.jar:1.0.2]
at com.google.cloud.testing.BaseEmulatorHelper.startProcess(BaseEmulatorHelper.java:100) ~[google-cloud-core-1.0.2.jar:1.0.2]
at com.google.cloud.datastore.testing.LocalDatastoreHelper.start(LocalDatastoreHelper.java:192) ~[google-cloud-datastore-1.0.2.jar:1.0.2]
at com.rewedigital.fulfillment.core.service.config.TestDatastoreConfig$TestHelperDatastore.afterPropertiesSet(TestDatastoreConfig.java:52) ~
</code>
It seems that com.google.cloud.testing.Version expects a version number following this RegExp:
`private static final Pattern VERSION_PATTERN = Pattern.compile("^(\\d+)\\.(\\d+)\\.(\\d+)$");`
Since the current Version "1.3" does not conform to it - it leads to the exceptions above.
| 1.0 | cloud-datastore-emulator Version 1.3 leads to "Invalid version format" - After updating to Google Cloud SDK 177.0.0, we found the LocalDatastoreHelper crashing in the following way:
<code>
java.lang.IllegalStateException: Failed to load ApplicationContext
at org.springframework.test.context.cache.DefaultCacheAwareContextLoaderDelegate.loadContext(DefaultCacheAwareContextLoaderDelegate.java:124)
at org.springframework.test.context.support.DefaultTestContext.getApplicationContext(DefaultTestContext.java:83)
at org.springframework.boot.test.autoconfigure.SpringBootDependencyInjectionTestExecutionListener.prepareTestInstance(SpringBootDependencyInjectionTestExecutionListener.java:47)
{...}
Caused by: java.lang.IllegalArgumentException: Invalid version format
at com.google.cloud.testing.Version.fromString(Version.java:90) ~[google-cloud-core-1.0.2.jar:1.0.2]
at com.google.cloud.testing.BaseEmulatorHelper$GcloudEmulatorRunner.getInstalledEmulatorVersion(BaseEmulatorHelper.java:327) ~[google-cloud-core-1.0.2.jar:1.0.2]
at com.google.cloud.testing.BaseEmulatorHelper$GcloudEmulatorRunner.isEmulatorUpToDate(BaseEmulatorHelper.java:306) ~[google-cloud-core-1.0.2.jar:1.0.2]
at com.google.cloud.testing.BaseEmulatorHelper$GcloudEmulatorRunner.isAvailable(BaseEmulatorHelper.java:272) ~[google-cloud-core-1.0.2.jar:1.0.2]
at com.google.cloud.testing.BaseEmulatorHelper.startProcess(BaseEmulatorHelper.java:100) ~[google-cloud-core-1.0.2.jar:1.0.2]
at com.google.cloud.datastore.testing.LocalDatastoreHelper.start(LocalDatastoreHelper.java:192) ~[google-cloud-datastore-1.0.2.jar:1.0.2]
at com.rewedigital.fulfillment.core.service.config.TestDatastoreConfig$TestHelperDatastore.afterPropertiesSet(TestDatastoreConfig.java:52) ~
</code>
It seems that com.google.cloud.testing.Version expects a version number following this RegExp:
`private static final Pattern VERSION_PATTERN = Pattern.compile("^(\\d+)\\.(\\d+)\\.(\\d+)$");`
Since the current Version "1.3" does not conform to it - it leads to the exceptions above.
| non_design | cloud datastore emulator version leads to invalid version format after updating to google cloud sdk we found the localdatastorehelper crashing in the following way java lang illegalstateexception failed to load applicationcontext at org springframework test context cache defaultcacheawarecontextloaderdelegate loadcontext defaultcacheawarecontextloaderdelegate java at org springframework test context support defaulttestcontext getapplicationcontext defaulttestcontext java at org springframework boot test autoconfigure springbootdependencyinjectiontestexecutionlistener preparetestinstance springbootdependencyinjectiontestexecutionlistener java caused by java lang illegalargumentexception invalid version format at com google cloud testing version fromstring version java at com google cloud testing baseemulatorhelper gcloudemulatorrunner getinstalledemulatorversion baseemulatorhelper java at com google cloud testing baseemulatorhelper gcloudemulatorrunner isemulatoruptodate baseemulatorhelper java at com google cloud testing baseemulatorhelper gcloudemulatorrunner isavailable baseemulatorhelper java at com google cloud testing baseemulatorhelper startprocess baseemulatorhelper java at com google cloud datastore testing localdatastorehelper start localdatastorehelper java at com rewedigital fulfillment core service config testdatastoreconfig testhelperdatastore afterpropertiesset testdatastoreconfig java it seems that com google cloud testing version expects a version number following this regexp private static final pattern version pattern pattern compile d d d since the current version does not conform to it it leads to the exceptions above | 0 |
362,382 | 25,373,070,065 | IssuesEvent | 2022-11-21 12:05:10 | jaimergp/auto-issues-example | https://api.github.com/repos/jaimergp/auto-issues-example | closed | Audit of the current infrastructure, tooling, and credentials | documentation security mission::infra quansight-labs | # 📌 Summary
The goal is to audit and document existing conda-forge's infrastructure.
> This will be done in public.
> We need to ensure no critical security details such as credentials are exposed.
# 📝 Background
To propose technical debt reduction measures and ensure the long-term viability of the project and its growing ecosystem, we first need to understand and document the current status of the platform.
Expected challenges:
- Large number of moving parts across services and platforms
- Several accounts and credentials key to the normal operating conditions
- Lack of documentation for each part
- Scattered institutional knowledge
# 🚀 Tasks / Deliverables
- [ ] Choose / create repository to store WIP documentation
- [ ] Document existing infrastructure
- [ ] Safely enumerate required credentials
- [ ] Access control: on- and off-boarding core members
- [ ] Compile an audit report with suggestions and best practices
# 📅 Estimated completion
This goal should be finished in the first six months.
# ℹ️ References
- [conda-forge's Security and Systems Sub-Team](https://conda-forge.org/docs/orga/subteams.html#security-and-systems-sub-team)
- [conda-forge's Bot Sub-Team](https://conda-forge.org/docs/orga/subteams.html#bot-sub-team)
- [conda-forge repositories that are not regular feedstocks](https://hackmd.io/nlD1rNVzQ-iA2B6o2mLWRA)
- [`regro/cf-scripts` documentation](https://regro.github.io/cf-scripts/)
- [Talks about conda-forge](https://conda-forge.org/docs/user/talks.html) (some cover infrastructure)
- [regro.github.io](https://regro.github.io/) | 1.0 | Audit of the current infrastructure, tooling, and credentials - # 📌 Summary
The goal is to audit and document existing conda-forge's infrastructure.
> This will be done in public.
> We need to ensure no critical security details such as credentials are exposed.
# 📝 Background
To propose technical debt reduction measures and ensure the long-term viability of the project and its growing ecosystem, we first need to understand and document the current status of the platform.
Expected challenges:
- Large number of moving parts across services and platforms
- Several accounts and credentials key to the normal operating conditions
- Lack of documentation for each part
- Scattered institutional knowledge
# 🚀 Tasks / Deliverables
- [ ] Choose / create repository to store WIP documentation
- [ ] Document existing infrastructure
- [ ] Safely enumerate required credentials
- [ ] Access control: on- and off-boarding core members
- [ ] Compile an audit report with suggestions and best practices
# 📅 Estimated completion
This goal should be finished in the first six months.
# ℹ️ References
- [conda-forge's Security and Systems Sub-Team](https://conda-forge.org/docs/orga/subteams.html#security-and-systems-sub-team)
- [conda-forge's Bot Sub-Team](https://conda-forge.org/docs/orga/subteams.html#bot-sub-team)
- [conda-forge repositories that are not regular feedstocks](https://hackmd.io/nlD1rNVzQ-iA2B6o2mLWRA)
- [`regro/cf-scripts` documentation](https://regro.github.io/cf-scripts/)
- [Talks about conda-forge](https://conda-forge.org/docs/user/talks.html) (some cover infrastructure)
- [regro.github.io](https://regro.github.io/) | non_design | audit of the current infrastructure tooling and credentials 📌 summary the goal is to audit and document existing conda forge s infrastructure this will be done in public we need to ensure no critical security details such as credentials are exposed 📝 background to propose technical debt reduction measures and ensure the long term viability of the project and its growing ecosystem we first need to understand and document the current status of the platform expected challenges large number of moving parts across services and platforms several accounts and credentials key to the normal operating conditions lack of documentation for each part scattered institutional knowledge 🚀 tasks deliverables choose create repository to store wip documentation document existing infrastructure safely enumerate required credentials access control on and off boarding core members compile an audit report with suggestions and best practices 📅 estimated completion this goal should be finished in the first six months ℹ️ references some cover infrastructure | 0 |
109,813 | 11,649,101,316 | IssuesEvent | 2020-03-02 00:24:38 | DanielCender/CST-341-O500-CLC | https://api.github.com/repos/DanielCender/CST-341-O500-CLC | closed | Open Source Research Write Up | documentation | The team will conduct open source research to include the following:
- What are three different open source licenses? How do the licenses differ? How are the licenses the same?
- What happens and who owns the code you contribute to an open source project?
- Research an open source project from the Apache Foundation and provide a detailed write up for how you can volunteer and contribute to one of their projects.
---
__From the assignment instructions:__

| 1.0 | Open Source Research Write Up - The team will conduct open source research to include the following:
- What are three different open source licenses? How do the licenses differ? How are the licenses the same?
- What happens and who owns the code you contribute to an open source project?
- Research an open source project from the Apache Foundation and provide a detailed write up for how you can volunteer and contribute to one of their projects.
---
__From the assignment instructions:__

| non_design | open source research write up the team will conduct open source research to include the following what are three different open source licenses how do the licenses differ how are the licenses the same what happens and who owns the code you contribute to an open source project research an open source project from the apache foundation and provide a detailed write up for how you can volunteer and contribute to one of their projects from the assignment instructions | 0 |
225,926 | 17,930,933,052 | IssuesEvent | 2021-09-10 09:08:46 | MohistMC/Mohist | https://api.github.com/repos/MohistMC/Mohist | closed | [1.16.5]Using Float.MAX_VALUE in LivingEntity#kill() cause NaN damage value by unknown mod/plugin | Bug 1.16.5 Needs Testing | <!-- ISSUE_TEMPLATE_3 -> IMPORTANT: DO NOT DELETE THIS LINE.-->
<!-- Thank you for reporting ! Please note that issues can take a lot of time to be fixed and there is no eta.-->
<!-- If you don't know where to upload your logs and crash reports, you can use these websites : -->
<!-- https://paste.ubuntu.com/ (recommended) -->
<!-- https://mclo.gs -->
<!-- https://haste.mohistmc.com -->
<!-- https://pastebin.com -->
<!-- TO FILL THIS TEMPLATE, YOU NEED TO REPLACE THE {} BY WHAT YOU WANT -->
**Minecraft Version :** {1.16.5}
**Mohist Version :** {last git build}
**Operating System :** {Windows Server 2008R2}
**Logs :** {It doesn't trigger logs}
**Mod list :** {lot's of them, but blue skies finally triggered this bug}
**Plugin list :** {may be it's not important}
**Description of issue :**
LivingEntity#kill() using Float.MAX_VALUE causing damage value became NaN weirdly.
I'm not sure which one cause this, It's pretty hard to find, but regular value like Float.MAX_VALUE / 3 should be fine.
A NaN damage value causing blue skies mod changing player's health into NaN and finally make player totaly invulnerable because unhandled check with NaN value.
At least malfunction of blue skies digged out this issues, send a "NaN" value to mods/plugins is really bad idea... | 1.0 | [1.16.5]Using Float.MAX_VALUE in LivingEntity#kill() cause NaN damage value by unknown mod/plugin - <!-- ISSUE_TEMPLATE_3 -> IMPORTANT: DO NOT DELETE THIS LINE.-->
<!-- Thank you for reporting ! Please note that issues can take a lot of time to be fixed and there is no eta.-->
<!-- If you don't know where to upload your logs and crash reports, you can use these websites : -->
<!-- https://paste.ubuntu.com/ (recommended) -->
<!-- https://mclo.gs -->
<!-- https://haste.mohistmc.com -->
<!-- https://pastebin.com -->
<!-- TO FILL THIS TEMPLATE, YOU NEED TO REPLACE THE {} BY WHAT YOU WANT -->
**Minecraft Version :** {1.16.5}
**Mohist Version :** {last git build}
**Operating System :** {Windows Server 2008R2}
**Logs :** {It doesn't trigger logs}
**Mod list :** {lot's of them, but blue skies finally triggered this bug}
**Plugin list :** {may be it's not important}
**Description of issue :**
LivingEntity#kill() using Float.MAX_VALUE causing damage value became NaN weirdly.
I'm not sure which one cause this, It's pretty hard to find, but regular value like Float.MAX_VALUE / 3 should be fine.
A NaN damage value causing blue skies mod changing player's health into NaN and finally make player totaly invulnerable because unhandled check with NaN value.
At least malfunction of blue skies digged out this issues, send a "NaN" value to mods/plugins is really bad idea... | non_design | using float max value in livingentity kill cause nan damage value by unknown mod plugin important do not delete this line minecraft version mohist version last git build operating system windows server logs it doesn t trigger logs mod list lot s of them but blue skies finally triggered this bug plugin list may be it s not important description of issue livingentity kill using float max value causing damage value became nan weirdly i m not sure which one cause this it s pretty hard to find but regular value like float max value should be fine a nan damage value causing blue skies mod changing player s health into nan and finally make player totaly invulnerable because unhandled check with nan value at least malfunction of blue skies digged out this issues send a nan value to mods plugins is really bad idea | 0 |
287,479 | 31,835,361,509 | IssuesEvent | 2023-09-14 13:13:34 | GaloyMoney/galoy | https://api.github.com/repos/GaloyMoney/galoy | closed | Set fallbackRule to deny by default | help wanted security | To ensure API security, it is recommended to set fallbackRule to deny (or custom rule) in GraphQL Shield and enforce the use of rules for each query / mutation
refs:
https://graphql-shield.vercel.app/docs/advanced/whitelisting
https://github.com/maticzav/graphql-shield/issues/211#issuecomment-450636577 | True | Set fallbackRule to deny by default - To ensure API security, it is recommended to set fallbackRule to deny (or custom rule) in GraphQL Shield and enforce the use of rules for each query / mutation
refs:
https://graphql-shield.vercel.app/docs/advanced/whitelisting
https://github.com/maticzav/graphql-shield/issues/211#issuecomment-450636577 | non_design | set fallbackrule to deny by default to ensure api security it is recommended to set fallbackrule to deny or custom rule in graphql shield and enforce the use of rules for each query mutation refs | 0 |
61,505 | 3,146,488,856 | IssuesEvent | 2015-09-14 23:27:15 | numenta/nupic | https://api.github.com/repos/numenta/nupic | opened | Remove nupic/research and move algorithm code to nupic/algorithms | priority:3 type:cleanup | It is very confusing to have both nupic/research and nupic/algorithms, both of which contain algorithms. We currently import many algorithms from nupic.research instead of nupic.algorithms It is even more confusing given that we have a nupic.research repository which is yet another thing.
This issue is to move algorithm code from nupic/research to nupic/algorithms, and to delete nupic/research altogether. As part of this we would update all tests and resolve any backward incompatibilities.
Some of the code in nupic/research, such as monitor_mixin, fdrutilities, and utils.py don't belong in nupic/algorithms and should probably move to nupic/support or some other place. | 1.0 | Remove nupic/research and move algorithm code to nupic/algorithms - It is very confusing to have both nupic/research and nupic/algorithms, both of which contain algorithms. We currently import many algorithms from nupic.research instead of nupic.algorithms It is even more confusing given that we have a nupic.research repository which is yet another thing.
This issue is to move algorithm code from nupic/research to nupic/algorithms, and to delete nupic/research altogether. As part of this we would update all tests and resolve any backward incompatibilities.
Some of the code in nupic/research, such as monitor_mixin, fdrutilities, and utils.py don't belong in nupic/algorithms and should probably move to nupic/support or some other place. | non_design | remove nupic research and move algorithm code to nupic algorithms it is very confusing to have both nupic research and nupic algorithms both of which contain algorithms we currently import many algorithms from nupic research instead of nupic algorithms it is even more confusing given that we have a nupic research repository which is yet another thing this issue is to move algorithm code from nupic research to nupic algorithms and to delete nupic research altogether as part of this we would update all tests and resolve any backward incompatibilities some of the code in nupic research such as monitor mixin fdrutilities and utils py don t belong in nupic algorithms and should probably move to nupic support or some other place | 0 |
131,134 | 10,681,952,702 | IssuesEvent | 2019-10-22 03:07:22 | pvcraven/2019_cis390ag | https://api.github.com/repos/pvcraven/2019_cis390ag | closed | Player can't attack anymore | bug critical ready to test | After picking up a weapon, it seems like the player can't use the weapon. | 1.0 | Player can't attack anymore - After picking up a weapon, it seems like the player can't use the weapon. | non_design | player can t attack anymore after picking up a weapon it seems like the player can t use the weapon | 0 |
68,779 | 8,351,487,679 | IssuesEvent | 2018-10-02 00:30:35 | chasinglogic/taskforge | https://api.github.com/repos/chasinglogic/taskforge | opened | Write custom git COMMIT_MSG-esque task text parser for `task edit` | Hacktoberfest enhancement needs design | Currently `task edit` just dumps out some toml and parses it. While it is effective at giving you a rough way to do this the user experience is pretty bad. Especially if I have a long description.
We should define some "front matter" format and allow the user to write more free-form text. Like how a git COMMIT_MSG has the first line as the commit summary then the rest is the "body"
There should be a design doc talking about the format. | 1.0 | Write custom git COMMIT_MSG-esque task text parser for `task edit` - Currently `task edit` just dumps out some toml and parses it. While it is effective at giving you a rough way to do this the user experience is pretty bad. Especially if I have a long description.
We should define some "front matter" format and allow the user to write more free-form text. Like how a git COMMIT_MSG has the first line as the commit summary then the rest is the "body"
There should be a design doc talking about the format. | design | write custom git commit msg esque task text parser for task edit currently task edit just dumps out some toml and parses it while it is effective at giving you a rough way to do this the user experience is pretty bad especially if i have a long description we should define some front matter format and allow the user to write more free form text like how a git commit msg has the first line as the commit summary then the rest is the body there should be a design doc talking about the format | 1 |
388,910 | 26,787,664,750 | IssuesEvent | 2023-02-01 05:08:07 | rupali-codes/LinksHub | https://api.github.com/repos/rupali-codes/LinksHub | closed | Readme Update [OTHER] | bug documentation good first issue | ### Description
Contributing Guideline link is not working in Readme.
### Screenshot

| 1.0 | Readme Update [OTHER] - ### Description
Contributing Guideline link is not working in Readme.
### Screenshot

| non_design | readme update description contributing guideline link is not working in readme screenshot | 0 |
105,807 | 4,242,229,584 | IssuesEvent | 2016-07-06 18:48:10 | blacklocus/anvil | https://api.github.com/repos/blacklocus/anvil | reopened | e2e tests | priority-high | should really get some tests in here because prior things are going to start breaking as more features are added. The current rough set of features follows, which could be broken down into smaller scenarios, or could all be stitched into one giant "story"
- Create/delete several walls
- Add/remove several boards
- Add/remove several series
- Rename a wall
- Rename boards
- Adjust window/period
- "Save as default" window/period | 1.0 | e2e tests - should really get some tests in here because prior things are going to start breaking as more features are added. The current rough set of features follows, which could be broken down into smaller scenarios, or could all be stitched into one giant "story"
- Create/delete several walls
- Add/remove several boards
- Add/remove several series
- Rename a wall
- Rename boards
- Adjust window/period
- "Save as default" window/period | non_design | tests should really get some tests in here because prior things are going to start breaking as more features are added the current rough set of features follows which could be broken down into smaller scenarios or could all be stitched into one giant story create delete several walls add remove several boards add remove several series rename a wall rename boards adjust window period save as default window period | 0 |
14,787 | 2,831,389,671 | IssuesEvent | 2015-05-24 15:54:32 | nobodyguy/dslrdashboard | https://api.github.com/repos/nobodyguy/dslrdashboard | closed | Nikon D7100 and Nexus 7 II (2013). Don't work LV...if I try to use it, dslrdashboard will be crash ¿Don't keep any solution? | auto-migrated Priority-Medium Type-Defect | ```
What steps will reproduce the problem?
1. Start dslrdashboard and push the LV key, on nikon D7100+ Nexus 7 II
2. You can see nothing at the screen. Then you can do only one action before
it will crash.
3.
What is the expected output? What do you see instead?
I expect to seen the LV imagen at the screen, but you can,t see nothing
What version of the product are you using? On what operating system?
Nexus 7 II, Android 4.4
Please provide any additional information below.
```
Original issue reported on code.google.com by `sidilafa...@gmail.com` on 2 Dec 2013 at 10:21 | 1.0 | Nikon D7100 and Nexus 7 II (2013). Don't work LV...if I try to use it, dslrdashboard will be crash ¿Don't keep any solution? - ```
What steps will reproduce the problem?
1. Start dslrdashboard and push the LV key, on nikon D7100+ Nexus 7 II
2. You can see nothing at the screen. Then you can do only one action before
it will crash.
3.
What is the expected output? What do you see instead?
I expect to seen the LV imagen at the screen, but you can,t see nothing
What version of the product are you using? On what operating system?
Nexus 7 II, Android 4.4
Please provide any additional information below.
```
Original issue reported on code.google.com by `sidilafa...@gmail.com` on 2 Dec 2013 at 10:21 | non_design | nikon and nexus ii don t work lv if i try to use it dslrdashboard will be crash ¿don t keep any solution what steps will reproduce the problem start dslrdashboard and push the lv key on nikon nexus ii you can see nothing at the screen then you can do only one action before it will crash what is the expected output what do you see instead i expect to seen the lv imagen at the screen but you can t see nothing what version of the product are you using on what operating system nexus ii android please provide any additional information below original issue reported on code google com by sidilafa gmail com on dec at | 0 |
170,588 | 26,985,964,602 | IssuesEvent | 2023-02-09 16:10:22 | CDCgov/prime-simplereport | https://api.github.com/repos/CDCgov/prime-simplereport | closed | Fix error message for adding duplicate user | Growth & Engagement Content design | ### Background
When adding a duplicate user through the SimpleReport interface, the only error message that comes back to the frontend for the user is the generic "Something went wrong."
<img width="1442" alt="Screen Shot 2023-01-20 at 2 51 41 PM" src="https://user-images.githubusercontent.com/80282552/213819387-9cfa3846-6b5a-45ca-ae7a-359d118254c3.png">
Specifically, this happens when trying to invite a user with the same email address as a user that already exists in SimpleReport. In talking with users, this happens for one of two reasons:
- Trying to re-add deleted users
- The user isn't part of your SimpleReport org, but is part of a separate org - either they legitimately need access to two, as in a nurse who moves between school districts, or they accidentally signed up for a new SimpleReport organization instead of waiting for an invitation.
### Action requested
Toast should be updated to a more descriptive error, since we know exactly what happened here - something to let the user know that they're trying to add a duplicate, and should reach out to the support team for assistance.
On the dev side: this is currently being caught as a [GenericGraphqlException](https://github.com/CDCgov/prime-simplereport/blob/bacf220427e5bcfb6aea14f2d4356d096c1558ed/backend/src/main/java/gov/cdc/usds/simplereport/api/model/errors/GenericGraphqlException.java#L11-L11), we may need to define a specific exception in order to pass through the correct error message. Okta throws an `ResourceException` with the message that "An object with this field already exists in the current organization" but `ResourceExceptions` are thrown for all kinds of reasons, so it may be more helpful for us to define a specific `DuplicateUserException` or similar on the SimpleReport side.
Once the correct exception is created/identified, the toast can be created in [`GraphQlConfig`.](https://github.com/CDCgov/prime-simplereport/blob/bacf220427e5bcfb6aea14f2d4356d096c1558ed/backend/src/main/java/gov/cdc/usds/simplereport/config/GraphQlConfig.java#L34-L34).
### Acceptance Criteria
New copy for the toast has been written, and toast is updated to show the new copy.
### Additional context
#4427 is related to one of the potential root causes here.
| 1.0 | Fix error message for adding duplicate user - ### Background
When adding a duplicate user through the SimpleReport interface, the only error message that comes back to the frontend for the user is the generic "Something went wrong."
<img width="1442" alt="Screen Shot 2023-01-20 at 2 51 41 PM" src="https://user-images.githubusercontent.com/80282552/213819387-9cfa3846-6b5a-45ca-ae7a-359d118254c3.png">
Specifically, this happens when trying to invite a user with the same email address as a user that already exists in SimpleReport. In talking with users, this happens for one of two reasons:
- Trying to re-add deleted users
- The user isn't part of your SimpleReport org, but is part of a separate org - either they legitimately need access to two, as in a nurse who moves between school districts, or they accidentally signed up for a new SimpleReport organization instead of waiting for an invitation.
### Action requested
Toast should be updated to a more descriptive error, since we know exactly what happened here - something to let the user know that they're trying to add a duplicate, and should reach out to the support team for assistance.
On the dev side: this is currently being caught as a [GenericGraphqlException](https://github.com/CDCgov/prime-simplereport/blob/bacf220427e5bcfb6aea14f2d4356d096c1558ed/backend/src/main/java/gov/cdc/usds/simplereport/api/model/errors/GenericGraphqlException.java#L11-L11), we may need to define a specific exception in order to pass through the correct error message. Okta throws an `ResourceException` with the message that "An object with this field already exists in the current organization" but `ResourceExceptions` are thrown for all kinds of reasons, so it may be more helpful for us to define a specific `DuplicateUserException` or similar on the SimpleReport side.
Once the correct exception is created/identified, the toast can be created in [`GraphQlConfig`.](https://github.com/CDCgov/prime-simplereport/blob/bacf220427e5bcfb6aea14f2d4356d096c1558ed/backend/src/main/java/gov/cdc/usds/simplereport/config/GraphQlConfig.java#L34-L34).
### Acceptance Criteria
New copy for the toast has been written, and toast is updated to show the new copy.
### Additional context
#4427 is related to one of the potential root causes here.
| design | fix error message for adding duplicate user background when adding a duplicate user through the simplereport interface the only error message that comes back to the frontend for the user is the generic something went wrong img width alt screen shot at pm src specifically this happens when trying to invite a user with the same email address as a user that already exists in simplereport in talking with users this happens for one of two reasons trying to re add deleted users the user isn t part of your simplereport org but is part of a separate org either they legitimately need access to two as in a nurse who moves between school districts or they accidentally signed up for a new simplereport organization instead of waiting for an invitation action requested toast should be updated to a more descriptive error since we know exactly what happened here something to let the user know that they re trying to add a duplicate and should reach out to the support team for assistance on the dev side this is currently being caught as a we may need to define a specific exception in order to pass through the correct error message okta throws an resourceexception with the message that an object with this field already exists in the current organization but resourceexceptions are thrown for all kinds of reasons so it may be more helpful for us to define a specific duplicateuserexception or similar on the simplereport side once the correct exception is created identified the toast can be created in acceptance criteria new copy for the toast has been written and toast is updated to show the new copy additional context is related to one of the potential root causes here | 1 |
8,500 | 2,873,579,335 | IssuesEvent | 2015-06-08 17:48:51 | mozilla/teach.webmaker.org | https://api.github.com/repos/mozilla/teach.webmaker.org | closed | Update MP collateral (MAY 15 DEADLINE) | design | See https://github.com/mozilla/learning-networks/issues/163
Each of the below needs new photographs, and the Save the Date needs new dates. July 15-31, 2015.



| 1.0 | Update MP collateral (MAY 15 DEADLINE) - See https://github.com/mozilla/learning-networks/issues/163
Each of the below needs new photographs, and the Save the Date needs new dates. July 15-31, 2015.



| design | update mp collateral may deadline see each of the below needs new photographs and the save the date needs new dates july | 1 |
213,509 | 16,525,628,178 | IssuesEvent | 2021-05-26 19:42:00 | TRI-AMDD/beep | https://api.github.com/repos/TRI-AMDD/beep | closed | [mat-2055] Update documentation with instructions for writing raw data parsers | documentation enhancement | MAT-2055
How this is done will be based on what beep team thinks of #115 and #114 | 1.0 | [mat-2055] Update documentation with instructions for writing raw data parsers - MAT-2055
How this is done will be based on what beep team thinks of #115 and #114 | non_design | update documentation with instructions for writing raw data parsers mat how this is done will be based on what beep team thinks of and | 0 |
7,724 | 9,962,663,496 | IssuesEvent | 2019-07-07 16:23:40 | yiisoft/yii | https://api.github.com/repos/yiisoft/yii | closed | PHP 7.3 Call to undefined function mcrypt_module_get_supported_key_sizes() | compatibility:PHP7 | Note that only PHP 7 compatibility issues are accepted. For security issues contact maintainers privately.
### What steps will reproduce the problem?
делаем простой проект и настраиваем SecurityManager через конфиг приложения. Нас интересует это свойство https://www.yiiframework.com/doc/api/1.1/CSecurityManager#encryptionKey-detail
Приложение можно заменить простым скриптом
```
require_once __DIR__ . '/vendor/yiisoft/yii/framework/yii.php';
$config = [
'basePath'=>__DIR__,
'components'=> [
'securityManager' => [
'encryptionKey' => '1234567890123456789012',
]
],
];
$app = Yii::createConsoleApplication($config);
$sm = Yii::app()->securityManager;
```
### What is the expected result?
чтобы приложение работало без ошибок
### What do you get instead?
```
Error: Call to undefined function mcrypt_module_get_supported_key_sizes() in /Users/vyachin/12345/vendor/yiisoft/yii/framework/base/CSecurityManager.php:534
Stack trace:
#0 /Users/vyachin/12345/vendor/yiisoft/yii/framework/base/CSecurityManager.php(185): CSecurityManager->validateEncryptionKey('123456789012345...')
#1 /Users/vyachin/12345/vendor/yiisoft/yii/framework/base/CComponent.php(152): CSecurityManager->setEncryptionKey('123456789012345...')
#2 /Users/vyachin/12345/vendor/yiisoft/yii/framework/YiiBase.php(227): CComponent->__set('encryptionKey', '123456789012345...')
#3 /Users/vyachin/12345/vendor/yiisoft/yii/framework/base/CModule.php(393): YiiBase::createComponent(Array)
#4 /Users/vyachin/12345/vendor/yiisoft/yii/framework/base/CModule.php(103): CModule->getComponent('securityManager')
#5 /Users/vyachin/12345/commands/TestCommand.php(7): CModule->__get('securityManager')
```
### Additional info
| Q | A
| ---------------- | ---
| Yii version | 1.1.21
| PHP version | 7.3
| Operating system | Mac OS & ubuntu 18.04 | True | PHP 7.3 Call to undefined function mcrypt_module_get_supported_key_sizes() - Note that only PHP 7 compatibility issues are accepted. For security issues contact maintainers privately.
### What steps will reproduce the problem?
делаем простой проект и настраиваем SecurityManager через конфиг приложения. Нас интересует это свойство https://www.yiiframework.com/doc/api/1.1/CSecurityManager#encryptionKey-detail
Приложение можно заменить простым скриптом
```
require_once __DIR__ . '/vendor/yiisoft/yii/framework/yii.php';
$config = [
'basePath'=>__DIR__,
'components'=> [
'securityManager' => [
'encryptionKey' => '1234567890123456789012',
]
],
];
$app = Yii::createConsoleApplication($config);
$sm = Yii::app()->securityManager;
```
### What is the expected result?
чтобы приложение работало без ошибок
### What do you get instead?
```
Error: Call to undefined function mcrypt_module_get_supported_key_sizes() in /Users/vyachin/12345/vendor/yiisoft/yii/framework/base/CSecurityManager.php:534
Stack trace:
#0 /Users/vyachin/12345/vendor/yiisoft/yii/framework/base/CSecurityManager.php(185): CSecurityManager->validateEncryptionKey('123456789012345...')
#1 /Users/vyachin/12345/vendor/yiisoft/yii/framework/base/CComponent.php(152): CSecurityManager->setEncryptionKey('123456789012345...')
#2 /Users/vyachin/12345/vendor/yiisoft/yii/framework/YiiBase.php(227): CComponent->__set('encryptionKey', '123456789012345...')
#3 /Users/vyachin/12345/vendor/yiisoft/yii/framework/base/CModule.php(393): YiiBase::createComponent(Array)
#4 /Users/vyachin/12345/vendor/yiisoft/yii/framework/base/CModule.php(103): CModule->getComponent('securityManager')
#5 /Users/vyachin/12345/commands/TestCommand.php(7): CModule->__get('securityManager')
```
### Additional info
| Q | A
| ---------------- | ---
| Yii version | 1.1.21
| PHP version | 7.3
| Operating system | Mac OS & ubuntu 18.04 | non_design | php call to undefined function mcrypt module get supported key sizes note that only php compatibility issues are accepted for security issues contact maintainers privately what steps will reproduce the problem делаем простой проект и настраиваем securitymanager через конфиг приложения нас интересует это свойство приложение можно заменить простым скриптом require once dir vendor yiisoft yii framework yii php config basepath dir components securitymanager encryptionkey app yii createconsoleapplication config sm yii app securitymanager what is the expected result чтобы приложение работало без ошибок what do you get instead error call to undefined function mcrypt module get supported key sizes in users vyachin vendor yiisoft yii framework base csecuritymanager php stack trace users vyachin vendor yiisoft yii framework base csecuritymanager php csecuritymanager validateencryptionkey users vyachin vendor yiisoft yii framework base ccomponent php csecuritymanager setencryptionkey users vyachin vendor yiisoft yii framework yiibase php ccomponent set encryptionkey users vyachin vendor yiisoft yii framework base cmodule php yiibase createcomponent array users vyachin vendor yiisoft yii framework base cmodule php cmodule getcomponent securitymanager users vyachin commands testcommand php cmodule get securitymanager additional info q a yii version php version operating system mac os ubuntu | 0 |
349,424 | 24,945,249,060 | IssuesEvent | 2022-10-31 23:09:11 | Open-Telecoms-Data/open-fibre-data-standard | https://api.github.com/repos/Open-Telecoms-Data/open-fibre-data-standard | opened | Consider replacing 'component' terminology with 'sub-schema' | Normative documentation Non-normative documentation | We might need to add something to the Primer to explain what a schema is and what a sub-schema is.
Inspired by https://github.com/open-contracting/standard/issues/1347 | 2.0 | Consider replacing 'component' terminology with 'sub-schema' - We might need to add something to the Primer to explain what a schema is and what a sub-schema is.
Inspired by https://github.com/open-contracting/standard/issues/1347 | non_design | consider replacing component terminology with sub schema we might need to add something to the primer to explain what a schema is and what a sub schema is inspired by | 0 |
145,748 | 22,772,891,034 | IssuesEvent | 2022-07-08 11:48:24 | Geonovum/KP-APIs | https://api.github.com/repos/Geonovum/KP-APIs | closed | WGS84 X Y in decimal degrees moet zijn WGS84 lengte, breedte in decimal degrees | API design rules (extensies) Geo-extensie | waar staat **WGS84 X Y in decimal degrees** moet worden **WGS84 lengte, breedte in decimal degrees** | 1.0 | WGS84 X Y in decimal degrees moet zijn WGS84 lengte, breedte in decimal degrees - waar staat **WGS84 X Y in decimal degrees** moet worden **WGS84 lengte, breedte in decimal degrees** | design | x y in decimal degrees moet zijn lengte breedte in decimal degrees waar staat x y in decimal degrees moet worden lengte breedte in decimal degrees | 1 |
96,762 | 12,156,481,009 | IssuesEvent | 2020-04-25 17:31:09 | COVID19Tracking/website | https://api.github.com/repos/COVID19Tracking/website | opened | Responsive Navbar Seems weird and crowded. | DESIGN | The mobile navbar seems so crowded and basic. It just doesn't match with the whole layout of the site.
I suggest we either add some space between the navbar items or create a vertical hamburger menu instead.
#### Screenshots
<img src="https://user-images.githubusercontent.com/54989142/80286262-f4572100-8747-11ea-8639-23883d91fd1b.png" width="45%"> <img src="https://user-images.githubusercontent.com/54989142/80286243-d5588f00-8747-11ea-8c2e-35876e231bbe.png" width="45%"> | 1.0 | Responsive Navbar Seems weird and crowded. - The mobile navbar seems so crowded and basic. It just doesn't match with the whole layout of the site.
I suggest we either add some space between the navbar items or create a vertical hamburger menu instead.
#### Screenshots
<img src="https://user-images.githubusercontent.com/54989142/80286262-f4572100-8747-11ea-8639-23883d91fd1b.png" width="45%"> <img src="https://user-images.githubusercontent.com/54989142/80286243-d5588f00-8747-11ea-8c2e-35876e231bbe.png" width="45%"> | design | responsive navbar seems weird and crowded the mobile navbar seems so crowded and basic it just doesn t match with the whole layout of the site i suggest we either add some space between the navbar items or create a vertical hamburger menu instead screenshots nbsp nbsp | 1 |
105,358 | 13,181,134,098 | IssuesEvent | 2020-08-12 13:53:12 | JamesOwers/midi_degradation_toolkit | https://api.github.com/repos/JamesOwers/midi_degradation_toolkit | closed | Maybe different error handling | design requires_discussion | https://github.com/JamesOwers/midi_degradation_toolkit/blob/993e82a88d3a217a3c323816f8ed98e070af4c1c/mdtk/midi.py#L102
Arguably, this should throw a useful exception and be handled further up as a warning, if wanted. (For example, if I call this function with a non-MIDI file, it warns and returns None. Better, is to throw an exception that I'd have to explicitly catch above. | 1.0 | Maybe different error handling - https://github.com/JamesOwers/midi_degradation_toolkit/blob/993e82a88d3a217a3c323816f8ed98e070af4c1c/mdtk/midi.py#L102
Arguably, this should throw a useful exception and be handled further up as a warning, if wanted. (For example, if I call this function with a non-MIDI file, it warns and returns None. Better, is to throw an exception that I'd have to explicitly catch above. | design | maybe different error handling arguably this should throw a useful exception and be handled further up as a warning if wanted for example if i call this function with a non midi file it warns and returns none better is to throw an exception that i d have to explicitly catch above | 1 |
32,928 | 4,442,067,997 | IssuesEvent | 2016-08-19 12:00:58 | coala-analyzer/coala | https://api.github.com/repos/coala-analyzer/coala | closed | Changing invalid links in documents | area/documentation status/needs design | It seems we have a small number of invalid links that need to be changed a little. You can see those when running ``coala invalidlinks`` in the coala repository; you simply need to open the required file and change it, or let coala handle it :)
P.S. : https://github.com/coala-analyzer/coala/issues?q=is%3Aissue+is%3Aopen+label%3Adifficulty%2Fnewcomer this link doesnt need to be replaced, even though it says its invalid, its because the bear cant authenticate, the link works. | 1.0 | Changing invalid links in documents - It seems we have a small number of invalid links that need to be changed a little. You can see those when running ``coala invalidlinks`` in the coala repository; you simply need to open the required file and change it, or let coala handle it :)
P.S. : https://github.com/coala-analyzer/coala/issues?q=is%3Aissue+is%3Aopen+label%3Adifficulty%2Fnewcomer this link doesnt need to be replaced, even though it says its invalid, its because the bear cant authenticate, the link works. | design | changing invalid links in documents it seems we have a small number of invalid links that need to be changed a little you can see those when running coala invalidlinks in the coala repository you simply need to open the required file and change it or let coala handle it p s this link doesnt need to be replaced even though it says its invalid its because the bear cant authenticate the link works | 1 |
19,661 | 3,480,637,478 | IssuesEvent | 2015-12-29 09:43:50 | moxi9/phpfox | https://api.github.com/repos/moxi9/phpfox | closed | Site wide ajax not working exactly | Working as Designed | I enable site wide ajax browsing but when i use search function its refreshing page. | 1.0 | Site wide ajax not working exactly - I enable site wide ajax browsing but when i use search function its refreshing page. | design | site wide ajax not working exactly i enable site wide ajax browsing but when i use search function its refreshing page | 1 |
82,125 | 10,224,839,523 | IssuesEvent | 2019-08-16 13:47:36 | mapa17/breakfastclub | https://api.github.com/repos/mapa17/breakfastclub | closed | Make the decrease in motivation depend on openness | Design | For Study Alone and Study in Group maybe make the decrease in motivation depend on openness? | 1.0 | Make the decrease in motivation depend on openness - For Study Alone and Study in Group maybe make the decrease in motivation depend on openness? | design | make the decrease in motivation depend on openness for study alone and study in group maybe make the decrease in motivation depend on openness | 1 |
59,511 | 3,113,950,256 | IssuesEvent | 2015-09-03 04:21:28 | AutomationSolutionz/Framework_0.1 | https://api.github.com/repos/AutomationSolutionz/Framework_0.1 | closed | Track who is running/modifying test cases | Minar Priority 2 (High) | - We need to keep track of who is running test cases. For this we only need to keep track of one person.
- Whoever modified a test case status last, we will keep their name and date and time.
- This information will be shown in run id page and property tab of the test case.
- We need to save this information for per test case basis.
- For now, we will just use the assigned tester’s name. Once we implement login, we will just take the current logged in user.
| 1.0 | Track who is running/modifying test cases - - We need to keep track of who is running test cases. For this we only need to keep track of one person.
- Whoever modified a test case status last, we will keep their name and date and time.
- This information will be shown in run id page and property tab of the test case.
- We need to save this information for per test case basis.
- For now, we will just use the assigned tester’s name. Once we implement login, we will just take the current logged in user.
| non_design | track who is running modifying test cases we need to keep track of who is running test cases for this we only need to keep track of one person whoever modified a test case status last we will keep their name and date and time this information will be shown in run id page and property tab of the test case we need to save this information for per test case basis for now we will just use the assigned tester’s name once we implement login we will just take the current logged in user | 0 |
107,670 | 13,496,438,051 | IssuesEvent | 2020-09-12 03:27:30 | Leafwing-Studios/asm-docs | https://api.github.com/repos/Leafwing-Studios/asm-docs | opened | Consider change to apex behavior | Design | Rather than existing behavior, follow signal but exclude recent tiles. Give up when ??? | 1.0 | Consider change to apex behavior - Rather than existing behavior, follow signal but exclude recent tiles. Give up when ??? | design | consider change to apex behavior rather than existing behavior follow signal but exclude recent tiles give up when | 1 |
301,748 | 9,223,542,809 | IssuesEvent | 2019-03-12 03:58:30 | zephyrproject-rtos/zephyr | https://api.github.com/repos/zephyrproject-rtos/zephyr | closed | net: icmpv4: Zephyr drops valid echo request | area: Conformance area: Networking bug priority: medium | Zephyr drops echo request with valid checksum. Zephyr must respond to valid echo request.
[icmpv4-valid-chksum2.pcap.gz](https://github.com/zephyrproject-rtos/zephyr/files/2610165/icmpv4-valid-chksum2.pcap.gz)
[icmpv4-valid-chksum1.pcap.gz](https://github.com/zephyrproject-rtos/zephyr/files/2610166/icmpv4-valid-chksum1.pcap.gz)
| 1.0 | net: icmpv4: Zephyr drops valid echo request - Zephyr drops echo request with valid checksum. Zephyr must respond to valid echo request.
[icmpv4-valid-chksum2.pcap.gz](https://github.com/zephyrproject-rtos/zephyr/files/2610165/icmpv4-valid-chksum2.pcap.gz)
[icmpv4-valid-chksum1.pcap.gz](https://github.com/zephyrproject-rtos/zephyr/files/2610166/icmpv4-valid-chksum1.pcap.gz)
| non_design | net zephyr drops valid echo request zephyr drops echo request with valid checksum zephyr must respond to valid echo request | 0 |
28,084 | 8,072,375,598 | IssuesEvent | 2018-08-06 15:46:18 | mapbox/mapbox-gl-native | https://api.github.com/repos/mapbox/mapbox-gl-native | opened | Move example Settings.bundle outside of this Xcode project | build iOS refactor | We include an example Settings.bundle that includes a localized opt-out for Mapbox Telemetry (#2380). However, Xcode has never liked how we build this file and keeps throwing new warnings at us (#6948, #7698). In Xcode 8, 9, and 10b5, this is the warning we see:
> Check dependencies
>
> Warning: The Copy Bundle Resources build phase contains this target's Info.plist file 'framework/Settings.bundle/Root.plist’.
As our example Settings.bundle doesn’t appear to be well used in its current iteration (few customer apps include this setting and, of the ones that do, I couldn’t find any that include the localized text), we should consider moving it to the `ios-sdk-examples` repo/project. This would remove the persistent warning and place it in more natural location (i.e., alongside other examples).
/cc @1ec5 | 1.0 | Move example Settings.bundle outside of this Xcode project - We include an example Settings.bundle that includes a localized opt-out for Mapbox Telemetry (#2380). However, Xcode has never liked how we build this file and keeps throwing new warnings at us (#6948, #7698). In Xcode 8, 9, and 10b5, this is the warning we see:
> Check dependencies
>
> Warning: The Copy Bundle Resources build phase contains this target's Info.plist file 'framework/Settings.bundle/Root.plist’.
As our example Settings.bundle doesn’t appear to be well used in its current iteration (few customer apps include this setting and, of the ones that do, I couldn’t find any that include the localized text), we should consider moving it to the `ios-sdk-examples` repo/project. This would remove the persistent warning and place it in more natural location (i.e., alongside other examples).
/cc @1ec5 | non_design | move example settings bundle outside of this xcode project we include an example settings bundle that includes a localized opt out for mapbox telemetry however xcode has never liked how we build this file and keeps throwing new warnings at us in xcode and this is the warning we see check dependencies warning the copy bundle resources build phase contains this target s info plist file framework settings bundle root plist’ as our example settings bundle doesn’t appear to be well used in its current iteration few customer apps include this setting and of the ones that do i couldn’t find any that include the localized text we should consider moving it to the ios sdk examples repo project this would remove the persistent warning and place it in more natural location i e alongside other examples cc | 0 |
22,172 | 11,501,734,268 | IssuesEvent | 2020-02-12 17:43:28 | mozilla-mobile/fenix | https://api.github.com/repos/mozilla-mobile/fenix | closed | Verify Glean.initialize is fast enough after it is moved to background thread | eng:performance needs:triage | Blocked on #7746.
Alessio is moving Glean initialization to a background thread in https://github.com/mozilla-mobile/fenix/issues/7746: after this work is complete, we should verify performance is good enough (e.g. essentially non-existent on the main thread).
If Glean does not initialize quickly enough, see if the Glean team knows how to continue to improve performance and what the ETA for such work is. If not, file a bug to try to move it after visual completeness.
Note: in the ideal implementation from a perf perspective,, all Glean initialization would probably wait until *after* visual completeness to ensure it's not creating resource contention, e.g. by reading from the disk or allocating memory. | True | Verify Glean.initialize is fast enough after it is moved to background thread - Blocked on #7746.
Alessio is moving Glean initialization to a background thread in https://github.com/mozilla-mobile/fenix/issues/7746: after this work is complete, we should verify performance is good enough (e.g. essentially non-existent on the main thread).
If Glean does not initialize quickly enough, see if the Glean team knows how to continue to improve performance and what the ETA for such work is. If not, file a bug to try to move it after visual completeness.
Note: in the ideal implementation from a perf perspective,, all Glean initialization would probably wait until *after* visual completeness to ensure it's not creating resource contention, e.g. by reading from the disk or allocating memory. | non_design | verify glean initialize is fast enough after it is moved to background thread blocked on alessio is moving glean initialization to a background thread in after this work is complete we should verify performance is good enough e g essentially non existent on the main thread if glean does not initialize quickly enough see if the glean team knows how to continue to improve performance and what the eta for such work is if not file a bug to try to move it after visual completeness note in the ideal implementation from a perf perspective all glean initialization would probably wait until after visual completeness to ensure it s not creating resource contention e g by reading from the disk or allocating memory | 0 |
269,189 | 28,960,025,433 | IssuesEvent | 2023-05-10 01:09:14 | dpteam/RK3188_TABLET | https://api.github.com/repos/dpteam/RK3188_TABLET | reopened | CVE-2018-12233 (High) detected in linux-yocto-4.12v3.1.10 | Mend: dependency security vulnerability | ## CVE-2018-12233 - High Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>linux-yocto-4.12v3.1.10</b></p></summary>
<p>
<p>Linux 4.12 Embedded Kernel</p>
<p>Library home page: <a href=https://git.yoctoproject.org/git/linux-yocto-4.12>https://git.yoctoproject.org/git/linux-yocto-4.12</a></p>
<p>Found in HEAD commit: <a href="https://github.com/dpteam/RK3188_TABLET/commit/0c501f5a0fd72c7b2ac82904235363bd44fd8f9e">0c501f5a0fd72c7b2ac82904235363bd44fd8f9e</a></p>
<p>Found in base branch: <b>master</b></p></p>
</details>
</p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Source Files (0)</summary>
<p></p>
<p>
</p>
</details>
<p></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png?' width=19 height=20> Vulnerability Details</summary>
<p>
In the ea_get function in fs/jfs/xattr.c in the Linux kernel through 4.17.1, a memory corruption bug in JFS can be triggered by calling setxattr twice with two different extended attribute names on the same file. This vulnerability can be triggered by an unprivileged user with the ability to create files and execute programs. A kmalloc call is incorrect, leading to slab-out-of-bounds in jfs_xattr.
<p>Publish Date: 2018-06-12
<p>URL: <a href=https://www.mend.io/vulnerability-database/CVE-2018-12233>CVE-2018-12233</a></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>7.8</b>)</summary>
<p>
Base Score Metrics:
- Exploitability Metrics:
- Attack Vector: Local
- Attack Complexity: Low
- Privileges Required: None
- User Interaction: Required
- Scope: Unchanged
- Impact Metrics:
- Confidentiality Impact: High
- Integrity Impact: High
- Availability Impact: High
</p>
For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>.
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary>
<p>
<p>Type: Upgrade version</p>
<p>Origin: <a href="http://web.nvd.nist.gov/view/vuln/detail?vulnId=CVE-2018-12233">http://web.nvd.nist.gov/view/vuln/detail?vulnId=CVE-2018-12233</a></p>
<p>Release Date: 2018-06-12</p>
<p>Fix Resolution: v4.18-rc2</p>
</p>
</details>
<p></p>
***
Step up your Open Source Security Game with Mend [here](https://www.whitesourcesoftware.com/full_solution_bolt_github) | True | CVE-2018-12233 (High) detected in linux-yocto-4.12v3.1.10 - ## CVE-2018-12233 - High Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>linux-yocto-4.12v3.1.10</b></p></summary>
<p>
<p>Linux 4.12 Embedded Kernel</p>
<p>Library home page: <a href=https://git.yoctoproject.org/git/linux-yocto-4.12>https://git.yoctoproject.org/git/linux-yocto-4.12</a></p>
<p>Found in HEAD commit: <a href="https://github.com/dpteam/RK3188_TABLET/commit/0c501f5a0fd72c7b2ac82904235363bd44fd8f9e">0c501f5a0fd72c7b2ac82904235363bd44fd8f9e</a></p>
<p>Found in base branch: <b>master</b></p></p>
</details>
</p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Source Files (0)</summary>
<p></p>
<p>
</p>
</details>
<p></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png?' width=19 height=20> Vulnerability Details</summary>
<p>
In the ea_get function in fs/jfs/xattr.c in the Linux kernel through 4.17.1, a memory corruption bug in JFS can be triggered by calling setxattr twice with two different extended attribute names on the same file. This vulnerability can be triggered by an unprivileged user with the ability to create files and execute programs. A kmalloc call is incorrect, leading to slab-out-of-bounds in jfs_xattr.
<p>Publish Date: 2018-06-12
<p>URL: <a href=https://www.mend.io/vulnerability-database/CVE-2018-12233>CVE-2018-12233</a></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>7.8</b>)</summary>
<p>
Base Score Metrics:
- Exploitability Metrics:
- Attack Vector: Local
- Attack Complexity: Low
- Privileges Required: None
- User Interaction: Required
- Scope: Unchanged
- Impact Metrics:
- Confidentiality Impact: High
- Integrity Impact: High
- Availability Impact: High
</p>
For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>.
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary>
<p>
<p>Type: Upgrade version</p>
<p>Origin: <a href="http://web.nvd.nist.gov/view/vuln/detail?vulnId=CVE-2018-12233">http://web.nvd.nist.gov/view/vuln/detail?vulnId=CVE-2018-12233</a></p>
<p>Release Date: 2018-06-12</p>
<p>Fix Resolution: v4.18-rc2</p>
</p>
</details>
<p></p>
***
Step up your Open Source Security Game with Mend [here](https://www.whitesourcesoftware.com/full_solution_bolt_github) | non_design | cve high detected in linux yocto cve high severity vulnerability vulnerable library linux yocto linux embedded kernel library home page a href found in head commit a href found in base branch master vulnerable source files vulnerability details in the ea get function in fs jfs xattr c in the linux kernel through a memory corruption bug in jfs can be triggered by calling setxattr twice with two different extended attribute names on the same file this vulnerability can be triggered by an unprivileged user with the ability to create files and execute programs a kmalloc call is incorrect leading to slab out of bounds in jfs xattr publish date url a href cvss score details base score metrics exploitability metrics attack vector local attack complexity low privileges required none user interaction required scope unchanged impact metrics confidentiality impact high integrity impact high availability impact high for more information on scores click a href suggested fix type upgrade version origin a href release date fix resolution step up your open source security game with mend | 0 |
102,989 | 16,596,044,622 | IssuesEvent | 2021-06-01 13:37:06 | scriptex/2048 | https://api.github.com/repos/scriptex/2048 | closed | CVE-2021-33502 (High) detected in normalize-url-2.0.1.tgz | security vulnerability | ## CVE-2021-33502 - High Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>normalize-url-2.0.1.tgz</b></p></summary>
<p>Normalize a URL</p>
<p>Library home page: <a href="https://registry.npmjs.org/normalize-url/-/normalize-url-2.0.1.tgz">https://registry.npmjs.org/normalize-url/-/normalize-url-2.0.1.tgz</a></p>
<p>Path to dependency file: 2048/package.json</p>
<p>Path to vulnerable library: 2048/node_modules/normalize-url</p>
<p>
Dependency Hierarchy:
- optisize-1.3.0.tgz (Root Library)
- imagemin-pngquant-9.0.1.tgz
- pngquant-bin-6.0.0.tgz
- bin-wrapper-4.1.0.tgz
- download-7.1.0.tgz
- got-8.3.2.tgz
- cacheable-request-2.1.4.tgz
- :x: **normalize-url-2.0.1.tgz** (Vulnerable Library)
<p>Found in HEAD commit: <a href="https://github.com/scriptex/2048/commit/032ff121eb7cb57e5be6b62a641bab0e83687199">032ff121eb7cb57e5be6b62a641bab0e83687199</a></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png' width=19 height=20> Vulnerability Details</summary>
<p>
The normalize-url package before 4.5.1, 5.x before 5.3.1, and 6.x before 6.0.1 for Node.js has a ReDoS (regular expression denial of service) issue because it has exponential performance for data: URLs.
<p>Publish Date: 2021-05-24
<p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2021-33502>CVE-2021-33502</a></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>7.5</b>)</summary>
<p>
Base Score Metrics:
- Exploitability Metrics:
- Attack Vector: Network
- Attack Complexity: Low
- Privileges Required: None
- User Interaction: None
- Scope: Unchanged
- Impact Metrics:
- Confidentiality Impact: None
- Integrity Impact: None
- Availability Impact: High
</p>
For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>.
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary>
<p>
<p>Type: Upgrade version</p>
<p>Origin: <a href="https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2021-33502">https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2021-33502</a></p>
<p>Release Date: 2021-05-24</p>
<p>Fix Resolution: normalize-url - 4.5.1, 5.3.1, 6.0.1</p>
</p>
</details>
<p></p>
***
Step up your Open Source Security Game with WhiteSource [here](https://www.whitesourcesoftware.com/full_solution_bolt_github) | True | CVE-2021-33502 (High) detected in normalize-url-2.0.1.tgz - ## CVE-2021-33502 - High Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>normalize-url-2.0.1.tgz</b></p></summary>
<p>Normalize a URL</p>
<p>Library home page: <a href="https://registry.npmjs.org/normalize-url/-/normalize-url-2.0.1.tgz">https://registry.npmjs.org/normalize-url/-/normalize-url-2.0.1.tgz</a></p>
<p>Path to dependency file: 2048/package.json</p>
<p>Path to vulnerable library: 2048/node_modules/normalize-url</p>
<p>
Dependency Hierarchy:
- optisize-1.3.0.tgz (Root Library)
- imagemin-pngquant-9.0.1.tgz
- pngquant-bin-6.0.0.tgz
- bin-wrapper-4.1.0.tgz
- download-7.1.0.tgz
- got-8.3.2.tgz
- cacheable-request-2.1.4.tgz
- :x: **normalize-url-2.0.1.tgz** (Vulnerable Library)
<p>Found in HEAD commit: <a href="https://github.com/scriptex/2048/commit/032ff121eb7cb57e5be6b62a641bab0e83687199">032ff121eb7cb57e5be6b62a641bab0e83687199</a></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png' width=19 height=20> Vulnerability Details</summary>
<p>
The normalize-url package before 4.5.1, 5.x before 5.3.1, and 6.x before 6.0.1 for Node.js has a ReDoS (regular expression denial of service) issue because it has exponential performance for data: URLs.
<p>Publish Date: 2021-05-24
<p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2021-33502>CVE-2021-33502</a></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>7.5</b>)</summary>
<p>
Base Score Metrics:
- Exploitability Metrics:
- Attack Vector: Network
- Attack Complexity: Low
- Privileges Required: None
- User Interaction: None
- Scope: Unchanged
- Impact Metrics:
- Confidentiality Impact: None
- Integrity Impact: None
- Availability Impact: High
</p>
For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>.
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary>
<p>
<p>Type: Upgrade version</p>
<p>Origin: <a href="https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2021-33502">https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2021-33502</a></p>
<p>Release Date: 2021-05-24</p>
<p>Fix Resolution: normalize-url - 4.5.1, 5.3.1, 6.0.1</p>
</p>
</details>
<p></p>
***
Step up your Open Source Security Game with WhiteSource [here](https://www.whitesourcesoftware.com/full_solution_bolt_github) | non_design | cve high detected in normalize url tgz cve high severity vulnerability vulnerable library normalize url tgz normalize a url library home page a href path to dependency file package json path to vulnerable library node modules normalize url dependency hierarchy optisize tgz root library imagemin pngquant tgz pngquant bin tgz bin wrapper tgz download tgz got tgz cacheable request tgz x normalize url tgz vulnerable library found in head commit a href vulnerability details the normalize url package before x before and x before for node js has a redos regular expression denial of service issue because it has exponential performance for data urls publish date url a href cvss score details base score metrics exploitability metrics attack vector network attack complexity low privileges required none user interaction none scope unchanged impact metrics confidentiality impact none integrity impact none availability impact high for more information on scores click a href suggested fix type upgrade version origin a href release date fix resolution normalize url step up your open source security game with whitesource | 0 |
44,896 | 9,657,453,957 | IssuesEvent | 2019-05-20 08:37:24 | HGustavs/LenaSYS | https://api.github.com/repos/HGustavs/LenaSYS | closed | Variables uses different conventions, and some are poorly namned in file codeviewer.js | CodeViewer Fix later gruppC2019 lowPriority | Variables uses different conventions some follow the new word start with capital letter, while others use lowercase letters for all word in the name.
Some variables are named with only one letter in cases where it according to my opinion, would increase the clarity by naming them with what they do.
Variables with the word "id" in them are written differently sometimes "nameId" others "nameid".
Issue for file codeviewer.js.
| 1.0 | Variables uses different conventions, and some are poorly namned in file codeviewer.js - Variables uses different conventions some follow the new word start with capital letter, while others use lowercase letters for all word in the name.
Some variables are named with only one letter in cases where it according to my opinion, would increase the clarity by naming them with what they do.
Variables with the word "id" in them are written differently sometimes "nameId" others "nameid".
Issue for file codeviewer.js.
| non_design | variables uses different conventions and some are poorly namned in file codeviewer js variables uses different conventions some follow the new word start with capital letter while others use lowercase letters for all word in the name some variables are named with only one letter in cases where it according to my opinion would increase the clarity by naming them with what they do variables with the word id in them are written differently sometimes nameid others nameid issue for file codeviewer js | 0 |
26,394 | 4,003,568,181 | IssuesEvent | 2016-05-12 01:11:51 | geetsisbac/YE7GLKCP77LP3XTRJGXDSBHN | https://api.github.com/repos/geetsisbac/YE7GLKCP77LP3XTRJGXDSBHN | reopened | V+gxEVJq9V/v5UQ3dhuPy0hdfTbCYHtX1LZAyR5vRDGAQftTNCS0fiq8RWZFguqa2qGPBXTYHpg1niJ/bOp9hHnrxZSCCFcA7vcdTFnHyrDjtGxGbEL51KEzV0CqWQVSeI6TbPcRTkZMdH5vmgYX5DH2U1B70osEKRE67FY5sTc= | design | gyvvZJhxCWS6vP4zAohvb5YN0jb3ErC7tBAxjP0qyKgt6IQIOa/PFaclkEjl/EbvnxpBIPu+57cSsWLmnmEY1kW0HJDWCgeVz87XRMOKGZxcAZA2ubnae4uZW+dLYX3/PW6yHC3sP4btXlkFxbyJi5j+T5lIFMLw5Ts0bWONo0P07CMmpWE2Eht15wau2y+/xuRtZ3LwQSQnMl+/4x5afCsDnkykPdipfRGaVdFkiAdsVqjTw75k2I1hJBnnodY79oHDOm3e+Sx56Rz2r+SlpBa4NrtNdzRcmYq27RoCQxEz3Uv0m+l2a49gVJsC92llMo6koM6BLxTFcD/zatSxgZy/NxVuE4jvshrgvtZdORrZUPu2hALLN2yzosv7xfhHiWjjuIoU6Dk87ghv0R4wnMXereYLQdYB3aiHcKbwg1PW9YKR++bqIbLMl+tzbzydBDjaoHBVhKljL3XdaUpVk2rRcMnYboKVZXR8F1fGca2vf5ecmErAiCdfJ4JlDqKQabcLZZkkdeLyH/QEXtqndhUFdR/oxoxhOKd/Fl/Et6j+OlXYBHxZX23xmcSf7gOjDMYL9hrEqNzsnNTq8ILiYxllWM0GvMxb1KJ1Uc/WbZZEWY03bQuzw7F6xYxpH0hqvkogIdXb168Didld8cLlvLeTiZ3W7TiGLqK9MDukfnVKLSQdXQHFLZmz8kxnsbj0T6tIIIsoYir22cyCJoKxQAeKqBPla8UfRP2MT9dhAulGOpeuNunDC7s/Mm8KM2+NA5i6rvJDtIPw2pvsIt8Vw1fnJ2Yp667q3BjJzr91Ab4= | 1.0 | V+gxEVJq9V/v5UQ3dhuPy0hdfTbCYHtX1LZAyR5vRDGAQftTNCS0fiq8RWZFguqa2qGPBXTYHpg1niJ/bOp9hHnrxZSCCFcA7vcdTFnHyrDjtGxGbEL51KEzV0CqWQVSeI6TbPcRTkZMdH5vmgYX5DH2U1B70osEKRE67FY5sTc= - gyvvZJhxCWS6vP4zAohvb5YN0jb3ErC7tBAxjP0qyKgt6IQIOa/PFaclkEjl/EbvnxpBIPu+57cSsWLmnmEY1kW0HJDWCgeVz87XRMOKGZxcAZA2ubnae4uZW+dLYX3/PW6yHC3sP4btXlkFxbyJi5j+T5lIFMLw5Ts0bWONo0P07CMmpWE2Eht15wau2y+/xuRtZ3LwQSQnMl+/4x5afCsDnkykPdipfRGaVdFkiAdsVqjTw75k2I1hJBnnodY79oHDOm3e+Sx56Rz2r+SlpBa4NrtNdzRcmYq27RoCQxEz3Uv0m+l2a49gVJsC92llMo6koM6BLxTFcD/zatSxgZy/NxVuE4jvshrgvtZdORrZUPu2hALLN2yzosv7xfhHiWjjuIoU6Dk87ghv0R4wnMXereYLQdYB3aiHcKbwg1PW9YKR++bqIbLMl+tzbzydBDjaoHBVhKljL3XdaUpVk2rRcMnYboKVZXR8F1fGca2vf5ecmErAiCdfJ4JlDqKQabcLZZkkdeLyH/QEXtqndhUFdR/oxoxhOKd/Fl/Et6j+OlXYBHxZX23xmcSf7gOjDMYL9hrEqNzsnNTq8ILiYxllWM0GvMxb1KJ1Uc/WbZZEWY03bQuzw7F6xYxpH0hqvkogIdXb168Didld8cLlvLeTiZ3W7TiGLqK9MDukfnVKLSQdXQHFLZmz8kxnsbj0T6tIIIsoYir22cyCJoKxQAeKqBPla8UfRP2MT9dhAulGOpeuNunDC7s/Mm8KM2+NA5i6rvJDtIPw2pvsIt8Vw1fnJ2Yp667q3BjJzr91Ab4= | design | v pfaclkejl ebvnxpbipu zatsxgzy bqiblml qextqndhufdr oxoxhokd fl | 1 |
130,514 | 12,438,686,914 | IssuesEvent | 2020-05-26 08:51:11 | reactor/reactor-core | https://api.github.com/repos/reactor/reactor-core | closed | FluxSink.onDispose invokes callbacks immediately if there is a callback already attached | good first issue type/documentation | ## Expected Behavior
`FluxSink.onDispose` should not invoke callbacks before a terminal signal or a cancellation.
## Actual Behavior
If a callback is already attached, `FluxSink.onDispose` will invoke the provided callback immediately:
https://github.com/reactor/reactor-core/blob/2bf8b183e054280b81de9f48cbc60d5920c2f7d8/reactor-core/src/main/java/reactor/core/publisher/FluxCreate.java#L565-L576
## Steps to Reproduce
```java
@Test
public void repoCase() {
var cleanedUp = new AtomicBoolean();
Flux.create(sink -> {
sink.onDispose(() -> cleanedUp.set(true));
sink.onDispose(() -> cleanedUp.set(true)); // should not be invoked before sink is disposed
assertFalse(cleanedUp.get());
sink.complete();
assertTrue(cleanedUp.get());
}).subscribe();
}
```
## Possible Solution
1. support multiple disposables, or
2. throw exception if disposable is already attached, or
3. mention current behavior in documentation
## Your Environment
* Reactor version(s) used: 3.2.10.RELEASE
* JVM version (`java -version`):
```
openjdk version "13.0.1" 2019-10-15
OpenJDK Runtime Environment Zulu13.28+11-CA (build 13.0.1+10-MTS)
OpenJDK 64-Bit Server VM Zulu13.28+11-CA (build 13.0.1+10-MTS, mixed mode, sharing)
```
* OS and version (eg `uname -a`):
```
Linux o948-box 4.18.0-0.bpo.1-amd64 #1 SMP Debian 4.18.6-1~bpo9+1 (2018-09-13) x86_64 GNU/Linux
```
| 1.0 | FluxSink.onDispose invokes callbacks immediately if there is a callback already attached - ## Expected Behavior
`FluxSink.onDispose` should not invoke callbacks before a terminal signal or a cancellation.
## Actual Behavior
If a callback is already attached, `FluxSink.onDispose` will invoke the provided callback immediately:
https://github.com/reactor/reactor-core/blob/2bf8b183e054280b81de9f48cbc60d5920c2f7d8/reactor-core/src/main/java/reactor/core/publisher/FluxCreate.java#L565-L576
## Steps to Reproduce
```java
@Test
public void repoCase() {
var cleanedUp = new AtomicBoolean();
Flux.create(sink -> {
sink.onDispose(() -> cleanedUp.set(true));
sink.onDispose(() -> cleanedUp.set(true)); // should not be invoked before sink is disposed
assertFalse(cleanedUp.get());
sink.complete();
assertTrue(cleanedUp.get());
}).subscribe();
}
```
## Possible Solution
1. support multiple disposables, or
2. throw exception if disposable is already attached, or
3. mention current behavior in documentation
## Your Environment
* Reactor version(s) used: 3.2.10.RELEASE
* JVM version (`java -version`):
```
openjdk version "13.0.1" 2019-10-15
OpenJDK Runtime Environment Zulu13.28+11-CA (build 13.0.1+10-MTS)
OpenJDK 64-Bit Server VM Zulu13.28+11-CA (build 13.0.1+10-MTS, mixed mode, sharing)
```
* OS and version (eg `uname -a`):
```
Linux o948-box 4.18.0-0.bpo.1-amd64 #1 SMP Debian 4.18.6-1~bpo9+1 (2018-09-13) x86_64 GNU/Linux
```
| non_design | fluxsink ondispose invokes callbacks immediately if there is a callback already attached expected behavior fluxsink ondispose should not invoke callbacks before a terminal signal or a cancellation actual behavior if a callback is already attached fluxsink ondispose will invoke the provided callback immediately steps to reproduce java test public void repocase var cleanedup new atomicboolean flux create sink sink ondispose cleanedup set true sink ondispose cleanedup set true should not be invoked before sink is disposed assertfalse cleanedup get sink complete asserttrue cleanedup get subscribe possible solution support multiple disposables or throw exception if disposable is already attached or mention current behavior in documentation your environment reactor version s used release jvm version java version openjdk version openjdk runtime environment ca build mts openjdk bit server vm ca build mts mixed mode sharing os and version eg uname a linux box bpo smp debian gnu linux | 0 |
345,977 | 10,375,236,755 | IssuesEvent | 2019-09-09 11:32:36 | strapi/strapi | https://api.github.com/repos/strapi/strapi | closed | Rename column in SQLite prevents server start | priority: high status: confirmed type: bug 🐛 | **Informations**
- **Node.js version**: 10.13.0
- **NPM version**: 6.7.0
- **Strapi version**: 3.0.0-alpha.24.1
- **Database**: SQLite
- **Operating system**: Ubuntu 16.04
**What is the current behavior?**
Changing the case of the name of a content type property will cause migration and therefore server start up to fail.
**Steps to reproduce the problem**
1. Create a content type with property Title
2. Save
3. Rename property Title to title
4. Save
5. Restart the strapi server, error log will report Duplicate column name and bookshelf will timeout.
**What is the expected behavior?**
Changing the case of a content type property name should be migrated in the database successfully.
**Suggested solutions**
Use SQLite's `Rename Column` feature instead to rename the column instead of creating a new column with the same name.
OR
Create a check when editing content type properties that doesn't allow the user to edit a property name to a value that is case-insensitively identical to an existing property title.
| 1.0 | Rename column in SQLite prevents server start - **Informations**
- **Node.js version**: 10.13.0
- **NPM version**: 6.7.0
- **Strapi version**: 3.0.0-alpha.24.1
- **Database**: SQLite
- **Operating system**: Ubuntu 16.04
**What is the current behavior?**
Changing the case of the name of a content type property will cause migration and therefore server start up to fail.
**Steps to reproduce the problem**
1. Create a content type with property Title
2. Save
3. Rename property Title to title
4. Save
5. Restart the strapi server, error log will report Duplicate column name and bookshelf will timeout.
**What is the expected behavior?**
Changing the case of a content type property name should be migrated in the database successfully.
**Suggested solutions**
Use SQLite's `Rename Column` feature instead to rename the column instead of creating a new column with the same name.
OR
Create a check when editing content type properties that doesn't allow the user to edit a property name to a value that is case-insensitively identical to an existing property title.
| non_design | rename column in sqlite prevents server start informations node js version npm version strapi version alpha database sqlite operating system ubuntu what is the current behavior changing the case of the name of a content type property will cause migration and therefore server start up to fail steps to reproduce the problem create a content type with property title save rename property title to title save restart the strapi server error log will report duplicate column name and bookshelf will timeout what is the expected behavior changing the case of a content type property name should be migrated in the database successfully suggested solutions use sqlite s rename column feature instead to rename the column instead of creating a new column with the same name or create a check when editing content type properties that doesn t allow the user to edit a property name to a value that is case insensitively identical to an existing property title | 0 |
17,018 | 12,193,090,926 | IssuesEvent | 2020-04-29 13:55:30 | patternfly/patternfly-org | https://api.github.com/repos/patternfly/patternfly-org | closed | Upgrade React support to 16.8 | breaking change infrastructure | Consider updating support from 16.4 to 16.8 which would allow the use of React hooks | 1.0 | Upgrade React support to 16.8 - Consider updating support from 16.4 to 16.8 which would allow the use of React hooks | non_design | upgrade react support to consider updating support from to which would allow the use of react hooks | 0 |
17,894 | 3,645,168,763 | IssuesEvent | 2016-02-15 13:29:19 | TEAMMATES/teammates | https://api.github.com/repos/TEAMMATES/teammates | closed | NPE in updateStudentCascade while running BackDoorTest | a-FaultTolerance a-Testing f-Courses p.Medium | This is the stack trace, does not happen all the time but we should ensure it never happens.
```
[BACKDOOR_STATUS_FAILURE]java.lang.NullPointerException
at teammates.logic.core.StudentsLogic.updateStudentCascade(StudentsLogic.java:241)
at teammates.logic.core.StudentsLogic.updateStudentCascadeWithoutDocument(StudentsLogic.java:219)
at teammates.logic.api.Logic.updateStudentWithoutDocument(Logic.java:1197)
at teammates.logic.backdoor.BackDoorLogic.editStudentAsJson(BackDoorLogic.java:303)
at teammates.logic.backdoor.BackDoorServlet.executeBackendAction(BackDoorServlet.java:235)
at teammates.logic.backdoor.BackDoorServlet.doPost(BackDoorServlet.java:119)
at javax.servlet.http.HttpServlet.service(HttpServlet.java:637)
at javax.servlet.http.HttpServlet.service(HttpServlet.java:717)
at org.mortbay.jetty.servlet.ServletHolder.handle(ServletHolder.java:511)
at org.mortbay.jetty.servlet.ServletHandler$CachedChain.doFilter(ServletHandler.java:1166)
at teammates.storage.datastore.DatastoreFilter.doFilter(DatastoreFilter.java:28)
at org.mortbay.jetty.servlet.ServletHandler$CachedChain.doFilter(ServletHandler.java:1157)
at com.google.appengine.api.socket.dev.DevSocketFilter.doFilter(DevSocketFilter.java:74)
at org.mortbay.jetty.servlet.ServletHandler$CachedChain.doFilter(ServletHandler.java:1157)
at com.google.appengine.tools.development.ResponseRewriterFilter.doFilter(ResponseRewriterFilter.java:128)
at org.mortbay.jetty.servlet.ServletHandler$CachedChain.doFilter(ServletHandler.java:1157)
at com.google.appengine.tools.development.HeaderVerificationFilter.doFilter(HeaderVerificationFilter.java:34)
at org.mortbay.jetty.servlet.ServletHandler$CachedChain.doFilter(ServletHandler.java:1157)
at com.google.appengine.api.blobstore.dev.ServeBlobFilter.doFilter(ServeBlobFilter.java:63)
at org.mortbay.jetty.servlet.ServletHandler$CachedChain.doFilter(ServletHandler.java:1157)
at com.google.apphosting.utils.servlet.TransactionCleanupFilter.doFilter(TransactionCleanupFilter.java:43)
at org.mortbay.jetty.servlet.ServletHandler$CachedChain.doFilter(ServletHandler.java:1157)
at com.google.appengine.tools.development.StaticFileFilter.doFilter(StaticFileFilter.java:125)
at org.mortbay.jetty.servlet.ServletHandler$CachedChain.doFilter(ServletHandler.java:1157)
at com.google.appengine.tools.development.DevAppServerModulesFilter.doDirectRequest(DevAppServerModulesFilter.java:366)
at com.google.appengine.tools.development.DevAppServerModulesFilter.doDirectModuleRequest(DevAppServerModulesFilter.java:349)
at com.google.appengine.tools.development.DevAppServerModulesFilter.doFilter(DevAppServerModulesFilter.java:116)
at org.mortbay.jetty.servlet.ServletHandler$CachedChain.doFilter(ServletHandler.java:1157)
at org.mortbay.jetty.servlet.ServletHandler.handle(ServletHandler.java:388)
at org.mortbay.jetty.security.SecurityHandler.handle(SecurityHandler.java:216)
at org.mortbay.jetty.servlet.SessionHandler.handle(SessionHandler.java:182)
at org.mortbay.jetty.handler.ContextHandler.handle(ContextHandler.java:765)
at org.mortbay.jetty.webapp.WebAppContext.handle(WebAppContext.java:418)
at com.google.appengine.tools.development.DevAppEngineWebAppContext.handle(DevAppEngineWebAppContext.java:98)
at org.mortbay.jetty.handler.HandlerWrapper.handle(HandlerWrapper.java:152)
at com.google.appengine.tools.development.JettyContainerService$ApiProxyHandler.handle(JettyContainerService.java:509)
at org.mortbay.jetty.handler.HandlerWrapper.handle(HandlerWrapper.java:152)
at org.mortbay.jetty.Server.handle(Server.java:326)
at org.mortbay.jetty.HttpConnection.handleRequest(HttpConnection.java:542)
at org.mortbay.jetty.HttpConnection$RequestHandler.content(HttpConnection.java:938)
at org.mortbay.jetty.HttpParser.parseNext(HttpParser.java:755)
at org.mortbay.jetty.HttpParser.parseAvailable(HttpParser.java:212)
at org.mortbay.jetty.HttpConnection.handle(HttpConnection.java:404)
at org.mortbay.io.nio.SelectChannelEndPoint.run(SelectChannelEndPoint.java:409)
at org.mortbay.thread.QueuedThreadPool$PoolThread.run(QueuedThreadPool.java:582)
``` | 1.0 | NPE in updateStudentCascade while running BackDoorTest - This is the stack trace, does not happen all the time but we should ensure it never happens.
```
[BACKDOOR_STATUS_FAILURE]java.lang.NullPointerException
at teammates.logic.core.StudentsLogic.updateStudentCascade(StudentsLogic.java:241)
at teammates.logic.core.StudentsLogic.updateStudentCascadeWithoutDocument(StudentsLogic.java:219)
at teammates.logic.api.Logic.updateStudentWithoutDocument(Logic.java:1197)
at teammates.logic.backdoor.BackDoorLogic.editStudentAsJson(BackDoorLogic.java:303)
at teammates.logic.backdoor.BackDoorServlet.executeBackendAction(BackDoorServlet.java:235)
at teammates.logic.backdoor.BackDoorServlet.doPost(BackDoorServlet.java:119)
at javax.servlet.http.HttpServlet.service(HttpServlet.java:637)
at javax.servlet.http.HttpServlet.service(HttpServlet.java:717)
at org.mortbay.jetty.servlet.ServletHolder.handle(ServletHolder.java:511)
at org.mortbay.jetty.servlet.ServletHandler$CachedChain.doFilter(ServletHandler.java:1166)
at teammates.storage.datastore.DatastoreFilter.doFilter(DatastoreFilter.java:28)
at org.mortbay.jetty.servlet.ServletHandler$CachedChain.doFilter(ServletHandler.java:1157)
at com.google.appengine.api.socket.dev.DevSocketFilter.doFilter(DevSocketFilter.java:74)
at org.mortbay.jetty.servlet.ServletHandler$CachedChain.doFilter(ServletHandler.java:1157)
at com.google.appengine.tools.development.ResponseRewriterFilter.doFilter(ResponseRewriterFilter.java:128)
at org.mortbay.jetty.servlet.ServletHandler$CachedChain.doFilter(ServletHandler.java:1157)
at com.google.appengine.tools.development.HeaderVerificationFilter.doFilter(HeaderVerificationFilter.java:34)
at org.mortbay.jetty.servlet.ServletHandler$CachedChain.doFilter(ServletHandler.java:1157)
at com.google.appengine.api.blobstore.dev.ServeBlobFilter.doFilter(ServeBlobFilter.java:63)
at org.mortbay.jetty.servlet.ServletHandler$CachedChain.doFilter(ServletHandler.java:1157)
at com.google.apphosting.utils.servlet.TransactionCleanupFilter.doFilter(TransactionCleanupFilter.java:43)
at org.mortbay.jetty.servlet.ServletHandler$CachedChain.doFilter(ServletHandler.java:1157)
at com.google.appengine.tools.development.StaticFileFilter.doFilter(StaticFileFilter.java:125)
at org.mortbay.jetty.servlet.ServletHandler$CachedChain.doFilter(ServletHandler.java:1157)
at com.google.appengine.tools.development.DevAppServerModulesFilter.doDirectRequest(DevAppServerModulesFilter.java:366)
at com.google.appengine.tools.development.DevAppServerModulesFilter.doDirectModuleRequest(DevAppServerModulesFilter.java:349)
at com.google.appengine.tools.development.DevAppServerModulesFilter.doFilter(DevAppServerModulesFilter.java:116)
at org.mortbay.jetty.servlet.ServletHandler$CachedChain.doFilter(ServletHandler.java:1157)
at org.mortbay.jetty.servlet.ServletHandler.handle(ServletHandler.java:388)
at org.mortbay.jetty.security.SecurityHandler.handle(SecurityHandler.java:216)
at org.mortbay.jetty.servlet.SessionHandler.handle(SessionHandler.java:182)
at org.mortbay.jetty.handler.ContextHandler.handle(ContextHandler.java:765)
at org.mortbay.jetty.webapp.WebAppContext.handle(WebAppContext.java:418)
at com.google.appengine.tools.development.DevAppEngineWebAppContext.handle(DevAppEngineWebAppContext.java:98)
at org.mortbay.jetty.handler.HandlerWrapper.handle(HandlerWrapper.java:152)
at com.google.appengine.tools.development.JettyContainerService$ApiProxyHandler.handle(JettyContainerService.java:509)
at org.mortbay.jetty.handler.HandlerWrapper.handle(HandlerWrapper.java:152)
at org.mortbay.jetty.Server.handle(Server.java:326)
at org.mortbay.jetty.HttpConnection.handleRequest(HttpConnection.java:542)
at org.mortbay.jetty.HttpConnection$RequestHandler.content(HttpConnection.java:938)
at org.mortbay.jetty.HttpParser.parseNext(HttpParser.java:755)
at org.mortbay.jetty.HttpParser.parseAvailable(HttpParser.java:212)
at org.mortbay.jetty.HttpConnection.handle(HttpConnection.java:404)
at org.mortbay.io.nio.SelectChannelEndPoint.run(SelectChannelEndPoint.java:409)
at org.mortbay.thread.QueuedThreadPool$PoolThread.run(QueuedThreadPool.java:582)
``` | non_design | npe in updatestudentcascade while running backdoortest this is the stack trace does not happen all the time but we should ensure it never happens java lang nullpointerexception at teammates logic core studentslogic updatestudentcascade studentslogic java at teammates logic core studentslogic updatestudentcascadewithoutdocument studentslogic java at teammates logic api logic updatestudentwithoutdocument logic java at teammates logic backdoor backdoorlogic editstudentasjson backdoorlogic java at teammates logic backdoor backdoorservlet executebackendaction backdoorservlet java at teammates logic backdoor backdoorservlet dopost backdoorservlet java at javax servlet http httpservlet service httpservlet java at javax servlet http httpservlet service httpservlet java at org mortbay jetty servlet servletholder handle servletholder java at org mortbay jetty servlet servlethandler cachedchain dofilter servlethandler java at teammates storage datastore datastorefilter dofilter datastorefilter java at org mortbay jetty servlet servlethandler cachedchain dofilter servlethandler java at com google appengine api socket dev devsocketfilter dofilter devsocketfilter java at org mortbay jetty servlet servlethandler cachedchain dofilter servlethandler java at com google appengine tools development responserewriterfilter dofilter responserewriterfilter java at org mortbay jetty servlet servlethandler cachedchain dofilter servlethandler java at com google appengine tools development headerverificationfilter dofilter headerverificationfilter java at org mortbay jetty servlet servlethandler cachedchain dofilter servlethandler java at com google appengine api blobstore dev serveblobfilter dofilter serveblobfilter java at org mortbay jetty servlet servlethandler cachedchain dofilter servlethandler java at com google apphosting utils servlet transactioncleanupfilter dofilter transactioncleanupfilter java at org mortbay jetty servlet servlethandler cachedchain dofilter servlethandler java at com google appengine tools development staticfilefilter dofilter staticfilefilter java at org mortbay jetty servlet servlethandler cachedchain dofilter servlethandler java at com google appengine tools development devappservermodulesfilter dodirectrequest devappservermodulesfilter java at com google appengine tools development devappservermodulesfilter dodirectmodulerequest devappservermodulesfilter java at com google appengine tools development devappservermodulesfilter dofilter devappservermodulesfilter java at org mortbay jetty servlet servlethandler cachedchain dofilter servlethandler java at org mortbay jetty servlet servlethandler handle servlethandler java at org mortbay jetty security securityhandler handle securityhandler java at org mortbay jetty servlet sessionhandler handle sessionhandler java at org mortbay jetty handler contexthandler handle contexthandler java at org mortbay jetty webapp webappcontext handle webappcontext java at com google appengine tools development devappenginewebappcontext handle devappenginewebappcontext java at org mortbay jetty handler handlerwrapper handle handlerwrapper java at com google appengine tools development jettycontainerservice apiproxyhandler handle jettycontainerservice java at org mortbay jetty handler handlerwrapper handle handlerwrapper java at org mortbay jetty server handle server java at org mortbay jetty httpconnection handlerequest httpconnection java at org mortbay jetty httpconnection requesthandler content httpconnection java at org mortbay jetty httpparser parsenext httpparser java at org mortbay jetty httpparser parseavailable httpparser java at org mortbay jetty httpconnection handle httpconnection java at org mortbay io nio selectchannelendpoint run selectchannelendpoint java at org mortbay thread queuedthreadpool poolthread run queuedthreadpool java | 0 |
134,516 | 19,252,295,536 | IssuesEvent | 2021-12-09 07:21:28 | AvaloniaUI/Avalonia | https://api.github.com/repos/AvaloniaUI/Avalonia | closed | Design:DataContext for controls | enhancement designer | Development of design will speed up with using mock design data, also standard WPF editor manages DesignContext rather badly.
| 1.0 | Design:DataContext for controls - Development of design will speed up with using mock design data, also standard WPF editor manages DesignContext rather badly.
| design | design datacontext for controls development of design will speed up with using mock design data also standard wpf editor manages designcontext rather badly | 1 |
76,517 | 9,460,197,116 | IssuesEvent | 2019-04-17 10:19:39 | AugurProject/augur | https://api.github.com/repos/AugurProject/augur | closed | Candlestick Chart changes | Design Review Priority: Medium | Design has made tweaks to charts.
move ETH label to top to reduce redundancy

| 1.0 | Candlestick Chart changes - Design has made tweaks to charts.
move ETH label to top to reduce redundancy

| design | candlestick chart changes design has made tweaks to charts move eth label to top to reduce redundancy | 1 |
722,596 | 24,868,587,238 | IssuesEvent | 2022-10-27 13:45:09 | encorelab/ck-board | https://api.github.com/repos/encorelab/ck-board | closed | Add "Question Authoring" Boards | enhancement high priority | ### Overview
On board creation, allow teachers to select either "brainstorm" or "question authoring" boards. If question authoring board is selected, all post elements are preserved (e.g., title, comments, tags, upvotes, but the message is now either an open response question prompt or a multiple choice editor. A selector in the Add Post editor can choose whether the post is an open response prompt or a multiple choice question. Both are saved as JSON objects in SCORE authoring format.
### Toggle “Brainstorm/Question Authoring” Board Type
**Figure 1. Add New Board Configurations**
<img width="349" alt="Screen Shot 2022-08-28 at 3 23 39 PM" src="https://user-images.githubusercontent.com/6416247/187091030-3ec02d5c-6728-4cf8-8520-628f4df0996e.png">
- In new board configurations, create the heading: Board Type
- Under the board type heading add toggle buttons: “Brainstorm” and “Question Authoring”
### Display Multiple Choice UI by Default for New Post Editor
When a new post is being created in a question authoring board, create a toggle button between "multiple choice" and "open response"
<img width="405" alt="Screen Shot 2022-08-28 at 3 32 27 PM" src="https://user-images.githubusercontent.com/6416247/187091362-d2e24aed-4adf-45bf-8858-ffbb997a3a7c.png">
All the posts are either:
- Multiple Choice or Open Response
- When users select the question type, the UI will be updated to match selection
- Multiple Choice can be the default option
- (We can port over SCORE’s multiple choice editor UI, advanced features such as image uploads, etc. can be removed)
- The Multiple Choice question prompt and choices will be saved as JSON as per the SCORE format
- In the future, the JSON will be imported to SCORE as a question
### Display Open Response Posts when Enabled for New Post Editor
<img width="405" alt="Screen Shot 2022-08-28 at 3 35 06 PM" src="https://user-images.githubusercontent.com/6416247/187091443-b8ddd919-6e35-44db-85d2-4a7079b8590f.png">
When open response is selected, we may use the classic message box, however:
- The prompt instead of saying “Message” will say something else, such as “Open response question prompt”
- The authored open response prompt will be saved as JSON as per the SCORE format
- Again, in the future, the JSON will be imported to SCORE as a question
### Next step - Add MathJax/ASCIIMath Previewer for Multiple Choice and Open Response
<img width="446" alt="Screen Shot 2022-08-28 at 3 57 42 PM" src="https://user-images.githubusercontent.com/6416247/187092230-f44dcedf-b1a9-4f59-95c9-6bcd31f469b9.png">
---
<img width="441" alt="Screen Shot 2022-08-28 at 4 00 30 PM" src="https://user-images.githubusercontent.com/6416247/187092301-e39b2086-3ace-419a-b5c2-79f7d0f5134b.png">
| 1.0 | Add "Question Authoring" Boards - ### Overview
On board creation, allow teachers to select either "brainstorm" or "question authoring" boards. If question authoring board is selected, all post elements are preserved (e.g., title, comments, tags, upvotes, but the message is now either an open response question prompt or a multiple choice editor. A selector in the Add Post editor can choose whether the post is an open response prompt or a multiple choice question. Both are saved as JSON objects in SCORE authoring format.
### Toggle “Brainstorm/Question Authoring” Board Type
**Figure 1. Add New Board Configurations**
<img width="349" alt="Screen Shot 2022-08-28 at 3 23 39 PM" src="https://user-images.githubusercontent.com/6416247/187091030-3ec02d5c-6728-4cf8-8520-628f4df0996e.png">
- In new board configurations, create the heading: Board Type
- Under the board type heading add toggle buttons: “Brainstorm” and “Question Authoring”
### Display Multiple Choice UI by Default for New Post Editor
When a new post is being created in a question authoring board, create a toggle button between "multiple choice" and "open response"
<img width="405" alt="Screen Shot 2022-08-28 at 3 32 27 PM" src="https://user-images.githubusercontent.com/6416247/187091362-d2e24aed-4adf-45bf-8858-ffbb997a3a7c.png">
All the posts are either:
- Multiple Choice or Open Response
- When users select the question type, the UI will be updated to match selection
- Multiple Choice can be the default option
- (We can port over SCORE’s multiple choice editor UI, advanced features such as image uploads, etc. can be removed)
- The Multiple Choice question prompt and choices will be saved as JSON as per the SCORE format
- In the future, the JSON will be imported to SCORE as a question
### Display Open Response Posts when Enabled for New Post Editor
<img width="405" alt="Screen Shot 2022-08-28 at 3 35 06 PM" src="https://user-images.githubusercontent.com/6416247/187091443-b8ddd919-6e35-44db-85d2-4a7079b8590f.png">
When open response is selected, we may use the classic message box, however:
- The prompt instead of saying “Message” will say something else, such as “Open response question prompt”
- The authored open response prompt will be saved as JSON as per the SCORE format
- Again, in the future, the JSON will be imported to SCORE as a question
### Next step - Add MathJax/ASCIIMath Previewer for Multiple Choice and Open Response
<img width="446" alt="Screen Shot 2022-08-28 at 3 57 42 PM" src="https://user-images.githubusercontent.com/6416247/187092230-f44dcedf-b1a9-4f59-95c9-6bcd31f469b9.png">
---
<img width="441" alt="Screen Shot 2022-08-28 at 4 00 30 PM" src="https://user-images.githubusercontent.com/6416247/187092301-e39b2086-3ace-419a-b5c2-79f7d0f5134b.png">
| non_design | add question authoring boards overview on board creation allow teachers to select either brainstorm or question authoring boards if question authoring board is selected all post elements are preserved e g title comments tags upvotes but the message is now either an open response question prompt or a multiple choice editor a selector in the add post editor can choose whether the post is an open response prompt or a multiple choice question both are saved as json objects in score authoring format toggle “brainstorm question authoring” board type figure add new board configurations img width alt screen shot at pm src in new board configurations create the heading board type under the board type heading add toggle buttons “brainstorm” and “question authoring” display multiple choice ui by default for new post editor when a new post is being created in a question authoring board create a toggle button between multiple choice and open response img width alt screen shot at pm src all the posts are either multiple choice or open response when users select the question type the ui will be updated to match selection multiple choice can be the default option we can port over score’s multiple choice editor ui advanced features such as image uploads etc can be removed the multiple choice question prompt and choices will be saved as json as per the score format in the future the json will be imported to score as a question display open response posts when enabled for new post editor img width alt screen shot at pm src when open response is selected we may use the classic message box however the prompt instead of saying “message” will say something else such as “open response question prompt” the authored open response prompt will be saved as json as per the score format again in the future the json will be imported to score as a question next step add mathjax asciimath previewer for multiple choice and open response img width alt screen shot at pm src img width alt screen shot at pm src | 0 |
946 | 2,679,540,040 | IssuesEvent | 2015-03-26 17:11:19 | rabbitmq/rabbitmq-java-client | https://api.github.com/repos/rabbitmq/rabbitmq-java-client | opened | Move to Gradle | effort-low enhancement usability | Ant has taken us quite far but it's showing its age. I feel we should follow what most modern (and very likely future) JVM-based projects at Pivotal use: Gradle. We'll be able to piggyback on the existing Spring team infrastructure and have nightly snapshots published to Bintray, Spring repositories. Releases also can then easily be published to the two mentioned above plus Maven Central.
Finally, Gradle is just a nicer and more widely used tool. Good idea for making it easier to contribute. | True | Move to Gradle - Ant has taken us quite far but it's showing its age. I feel we should follow what most modern (and very likely future) JVM-based projects at Pivotal use: Gradle. We'll be able to piggyback on the existing Spring team infrastructure and have nightly snapshots published to Bintray, Spring repositories. Releases also can then easily be published to the two mentioned above plus Maven Central.
Finally, Gradle is just a nicer and more widely used tool. Good idea for making it easier to contribute. | non_design | move to gradle ant has taken us quite far but it s showing its age i feel we should follow what most modern and very likely future jvm based projects at pivotal use gradle we ll be able to piggyback on the existing spring team infrastructure and have nightly snapshots published to bintray spring repositories releases also can then easily be published to the two mentioned above plus maven central finally gradle is just a nicer and more widely used tool good idea for making it easier to contribute | 0 |
76,765 | 21,568,419,469 | IssuesEvent | 2022-05-02 03:56:03 | seek-oss/vanilla-extract | https://api.github.com/repos/seek-oss/vanilla-extract | closed | url( ) local imports does not works with esbuild and esbuild-plugin plugin | bug/integration bug/esbuild | ### Describe the bug
Can not setup local url( ) import in css.ts files
### Link to reproduction
https://github.com/dmytro-shpak/esbuild-vanilla-extract-bug/
```
npm install
npm test
```
> Could not resolve "./x.svg" (the plugin "vanilla-extract" didn't set a resolve directory)`
### System Info
Output of `npx envinfo --system --npmPackages @vanilla-extract/css,@vanilla-extract/webpack-plugin,@vanilla-extract/esbuild-plugin,@vanilla-extract/vite-plugin,@vanilla-extract/sprinkles,webpack,esbuild,vite --binaries --browsers`:
```node
System:
OS: Linux 5.4 Ubuntu 20.04.3 LTS (Focal Fossa)
CPU: (16) x64 AMD Ryzen 7 3700X 8-Core Processor
Memory: 58.36 GB / 62.74 GB
Container: Yes
Shell: 5.0.17 - /bin/bash
Binaries:
Node: 16.13.0 - ~/.nvm/versions/node/v16.13.0/bin/node
npm: 8.1.0 - ~/.nvm/versions/node/v16.13.0/bin/npm
npmPackages:
@vanilla-extract/css: ^1.6.3 => 1.6.3
@vanilla-extract/esbuild-plugin: ^2.0.0 => 2.0.0
esbuild: ^0.13.13 => 0.13.13
```
### The workaround
Use babel for *.css.ts files
```
import babel from 'esbuild-plugin-babel';
```
```
plugins: [
babel({
filter: /.*.css.ts/,
config: {
presets: ['@babel/preset-typescript'],
plugins: ['@vanilla-extract/babel-plugin'],
},
}),
],
``` | 1.0 | url( ) local imports does not works with esbuild and esbuild-plugin plugin - ### Describe the bug
Can not setup local url( ) import in css.ts files
### Link to reproduction
https://github.com/dmytro-shpak/esbuild-vanilla-extract-bug/
```
npm install
npm test
```
> Could not resolve "./x.svg" (the plugin "vanilla-extract" didn't set a resolve directory)`
### System Info
Output of `npx envinfo --system --npmPackages @vanilla-extract/css,@vanilla-extract/webpack-plugin,@vanilla-extract/esbuild-plugin,@vanilla-extract/vite-plugin,@vanilla-extract/sprinkles,webpack,esbuild,vite --binaries --browsers`:
```node
System:
OS: Linux 5.4 Ubuntu 20.04.3 LTS (Focal Fossa)
CPU: (16) x64 AMD Ryzen 7 3700X 8-Core Processor
Memory: 58.36 GB / 62.74 GB
Container: Yes
Shell: 5.0.17 - /bin/bash
Binaries:
Node: 16.13.0 - ~/.nvm/versions/node/v16.13.0/bin/node
npm: 8.1.0 - ~/.nvm/versions/node/v16.13.0/bin/npm
npmPackages:
@vanilla-extract/css: ^1.6.3 => 1.6.3
@vanilla-extract/esbuild-plugin: ^2.0.0 => 2.0.0
esbuild: ^0.13.13 => 0.13.13
```
### The workaround
Use babel for *.css.ts files
```
import babel from 'esbuild-plugin-babel';
```
```
plugins: [
babel({
filter: /.*.css.ts/,
config: {
presets: ['@babel/preset-typescript'],
plugins: ['@vanilla-extract/babel-plugin'],
},
}),
],
``` | non_design | url local imports does not works with esbuild and esbuild plugin plugin describe the bug can not setup local url import in css ts files link to reproduction npm install npm test could not resolve x svg the plugin vanilla extract didn t set a resolve directory system info output of npx envinfo system npmpackages vanilla extract css vanilla extract webpack plugin vanilla extract esbuild plugin vanilla extract vite plugin vanilla extract sprinkles webpack esbuild vite binaries browsers node system os linux ubuntu lts focal fossa cpu amd ryzen core processor memory gb gb container yes shell bin bash binaries node nvm versions node bin node npm nvm versions node bin npm npmpackages vanilla extract css vanilla extract esbuild plugin esbuild the workaround use babel for css ts files import babel from esbuild plugin babel plugins babel filter css ts config presets plugins | 0 |
179,193 | 30,191,105,432 | IssuesEvent | 2023-07-04 15:27:19 | Kwenta/kwenta | https://api.github.com/repos/Kwenta/kwenta | opened | Feat: Close all positions | design core dev | ### Description
Add an option to close all positions on the positions table. | 1.0 | Feat: Close all positions - ### Description
Add an option to close all positions on the positions table. | design | feat close all positions description add an option to close all positions on the positions table | 1 |
58,219 | 7,130,591,335 | IssuesEvent | 2018-01-22 07:31:00 | pythonapis/6ZJYP2PXGY5CWP2LWTZZFRIL | https://api.github.com/repos/pythonapis/6ZJYP2PXGY5CWP2LWTZZFRIL | reopened | EwP0fwADbOXJqgF71IgyOY2Gns6iIOy2x+q4JuYk/FwpKI5/MuNEbkj7HgkBw0V0wfq5oHK3xeYkPmOTKV1RFSSkt0G1q/jJ+t1ID5sIyLfzifNmFe3CO+1Ow1F0oJxM7Qk1wE93tAPOLbPxWWsdAN/8ZnVK7o11HUHS5n0/X2s= | design | TtbDKf9/fB+m3MQyk0R8yFocOUNA/jfqwCAtXdebk4/xyGTqUWN54H8SvjBMhQvNy6kk2aKkCN+ZjYQ9CziNlebmXyJ0JBrulT0XXfLzbD79vu7N6z9qN+YGPl06SAdkX7uRzZngoQTWopN04XF1v9FDLY1NB45NrDBAIpXhxYW2mLcattbo0Js4BpuWMdra1koy0EitGcCQTdf7RuKzKtnSnM4bnDy3SMPjfgE7JFC4gJxlvyZCAN+YtJsj5XH1wf9+0YtI4N5tZ1046WvCu3pFg++q1RtlmhkZfIoqVhKspYdVyv+8s1sJQxbfvDBZFwVCFdCOpEp8bT9oUfA46mcNQPL5bYn0qGsOP3Av9OLjQ9e8RGJYS1PCrprGSLgSLsRJz9RMx1E8mJlnTpuF7dwR3RJ+RqH14XZrGGrIVkAaNRBAuTWPl1BpaFMzzEoDQT7VmksSfRwsRVowbs5q+w467YIdeunGmiBkH4Pn79ofhcXElxGVarVH60qEX8c0/NT9pMGLHPCcjhGhjh2VP4Ivim9XoampyFxrm7GGBBByuS9aG99lyN1jpxD1sjOX5SxWI9REOm1IOzvI97jWwSLipnSSgxsl7dlTAkpQtrQckZYowTPINdwtXCh3SPB1TRVkNe0j2jT3idiBOw7lqpX6MVlYqd7s/igqwFqBAv9t8iPShdpxMPrhSaloZ1ore8nwY1G9tqa3EDQ18zhbPhFXZwHLZwekaQvkoYElvkIrxzHf3LrT1B9HgO1WanC37DnODivxPMERFyT/Vr+8M8c7h96cAQvjADsf8vdzSzddC6TMndu/cDJSGDP5rmAZeg3vvleaxVmPyGG4MEmObN2OfhZnvdXIhNeW+DmDrdIVKsOcMO1uYI7GWlEB3HgBjWER9lcMHn9/oZqQVapKpUCIKy6yQYdZGw331/qd+i6ge8oOX9fN5H3yJrm8w1+WpJ6RVIsZUbYMQqiC1IdwD3D/22HtEpzVUScv1uXdWZnbHDu2soqYJcboBrFb1dMScR6tpSFusORSCKTvty0mCow6ffjl1ClTogwL/xijkdr+LWRbvqiFNGbIAJGMKRS7JkN82loTOR0hJD4qim66VanYfkzj7+gYxQrRE0w3voo7V0i+d9Gm8w2m8XE/fprpb/Z3lg0+0G9Y+z2NWA2EWYHDOrFryAJLFF/CUJRBxEWD21fDovmQEK9JIx02DkTIQcSkfv8Z6IoWTNFpO+39H5iw3MrcUzKHQSenkarv70jLzIWG/7jMaSavuahThvb4tOg+h3ec7hrdsojvhEA4NeblqBGUmiQXhmBBxyppPyAeZjW0xAYKnZslpLWZhPsMoGtYDrXDGyMY+JJYytk5rLJ9nGtFt28DPMcZk02ZWCyge8oOX9fN5H3yJrm8w1+W72fXI+0VrOXCGBnH2BqDyxtPtT3CPArPO102ABlirpjDwWvSAHQ3boS89pkA2S1ImbNXNvy2ryjWK9ygU6BJN6ISs/ytUiqIkQUWarYTIdLDz8lAIpIs0s+psUdk6GFCDokAjGM2dcYasqpBbieLVaaLqs6sbH+ddAd+T2y9cvvPKUQ6Kbfxahp6rw7hnN6RmTN8ZDShfE10Ep+kvkOuFnUPrnP2ZoTODp1MgDW0sE47WPP2IyiOLGotIHBD64SueadwHVhSHqurNRME/GzTL8mOpaLvA+K/m6CkrWiqAelVw7yWMlJWY5xbPUAVDAwtW65yJok4jvn1/cGZaU1CwrNKXd1hGZ/VZ2dvJsMellvlSYTeF+4OJLURZ7mVThT96yKmS11KuUD/KjIz+EKt99Cr8IUwrzVcBkzej2nKEQfDW1C0Jg/bq5zT/bc8FmXH2xw7trKKmCXG6AaxW9XTEh8SszFZh5sAbCL9GL+J/L2c2s/PqEOVNFNI4qUN6hfx+DM/xOcfWVrj6J4+3cf03RtBO+jsPk+PJnNVp/bW234+6Xygnxpx/WArkkFBGbZDhBhf95feKQJvcFo8eY3P/pX6MVlYqd7s/igqwFqBAv+KwjcZiWIaBW3Z/OQe1vuKWL1AUg34CBmYfPNIYizTShFXZwHLZwekaQvkoYElvkIrxzHf3LrT1B9HgO1WanC3Gvs1w9MZAzQSxSoGwWvzdS32gFCxbqGwtA4VavJmRP3qfkHDMwtGhKiFBXI69VoTkLGOy60flPRABnQH8OCcUYgQEhQ3QCQgZvbbHbW6RVUqgypZmWhgF7SRpf6cwBDXQ/8IlioBSR7m/YCa29d52yqm5KN95uVFPf2d2kLfvt8FABfztJd4s9LEvaCEOpGldnA6eAkWNuurr7d93AeHgwPqV1wEj2FHvrX8jmh8j2pqvAM5HcpTS1X0Zyqs+edzE2Qvsg72Y9KES9rgmjMtnwpjgzq8Zjmp8zQ5cKnYCCPDz8lAIpIs0s+psUdk6GFCDokAjGM2dcYasqpBbieLVS7XxkDzD5/Gn7LZwY0VHu+plpZZULy7BTClpOMfzakds2+RMaYv6TnRsiqD5qX3ZxkL6Foya4odBu1SE0SCD3YPC8McLabjgfrGIpLo9t+h69+cPQmw2PEUglbffuZunnfxPvjuRalWTypOOfItj6z4XjF9aUAvis9KvBMb2MtdpDv3SlqslhQUYmCIeNHwLi9EtJWr9S4aplTCqvdXJClP1OzzYUP+MAg4vohIGQzRL/u+lDUTeG1KZo5O7J6rS3nrMErHrEXQusfEYMddGvlecR9QiKdMfvnZfBiQbMajV6nG2eSO8zp9dH7/nqzZZfGbtd4x05QEk+Lz2fjfYqw2tALJramxtRmYyWj2bNenwrMv+HCp1hpIpkRvU7b7Ip1SWk+Stxy4GIl7VQ9m4kAPvsVgCgClPaz+c1g4O+mn80xRC8tICU8mgzCI9YzT8Tf66mSTxZsN/gGhMJ6kY9wKr9vkadekV0Aa38fkK+5x3VQWO5+TxDgF2RSWcFRK2jTC2HestsbwEsHr5uDjXFjxiEI38w33WUq6r+S6c+Y8lwHMpxXCA6WWxDc0vi44lMKzL/hwqdYaSKZEb1O2+yJDXQD7LgA/SdU1DzZVIHZ3ShB3Rhp9zI90N+6Ct5AEWkbeDHIjwB2YFW9v7dUilMN7O8WPoMBnpay90d/XKhH3faCw92/TSxO29YJwk7VZ1F+zVSfregiogl+ZEm2+5ZfsI01pARSxJY0GsCOqe4AHQPPkHkG+b1mJFtrbtNGch+XGqp+2WFFkl8NtroZg4JsKpyN4O6EYP7X/lmy9IAK2xfyfljxKfJExxefOj5jEzDSf+v9JRi8Tnd/KkT9S45AQBm4nX0pY1aAo0zKIWn3azDQMFdVSrMuJzh2/q2CZl5KEw2eyxdYy0mb8sfURgXmzV1JcDcDZwvCp5ho351sCQPPkHkG+b1mJFtrbtNGch+XGqp+2WFFkl8NtroZg4Jucu2jsot0hmAQoK8xyTRJP5ZUGjmBA0z8BmjOK+MvGNsrY2JtCI1fVf2+C6B9REncQBm4nX0pY1aAo0zKIWn3azDQMFdVSrMuJzh2/q2CZl+/p0Atp6Lu1BbZ2ZvwQI1tFVJ53SyDYXi0ygzM/49QGa6iG2KzZeINWpkOKqEN7CXnrMErHrEXQusfEYMddGvlecR9QiKdMfvnZfBiQbMajPleoTQUDUgnihEauv0hSknh8iCrbQHL4EJq92pK0QYK98bSbJlWgmAu1xrEs5upm6RM5UEvRL+uQCFzoKqsATgfXsaiLSJUXpzA2PK3iqx0q3hlpNSof5iVPhmV8kg4GF5VN7JGRNc1JO9PFvRxiaNMU9HW4k/T8EnTh7A8dnrXy/4Lg+QEWq+8P81Mv5KDKpEwvFqovLWJ57GuP+Ep5E5bkeZTlEg/og5L0JUs+Qa1A8+QeQb5vWYkW2tu00ZyH5caqn7ZYUWSXw22uhmDgm9f1Sphts0LajcDAZzj86FiB2dSiFpiI3LNSgyU+3foi9loXNi3lcfUBojg/E88IdXnrMErHrEXQusfEYMddGvlecR9QiKdMfvnZfBiQbMajlEjCqLtXIxUHcnzfCepUrbBcTqbWPeWfoFMb3CwpiCXsnAMLyv2QAeubXZJRnZhXTWqN4W6WxVeZMPbeNDoT2ANrpPFi3RqdnXTpygQyvpdGQMbg37AGFPyJDcD6h673uT8aFzQaa04wKIkrt6AhceLfDmjfZw4SnXyuUlzS3Lmn3Ag34HYeH9pHEjwW+hpU/PdsriDSFuUIqGWKByRheUoK6H+gL3gDf+ys3eTgRNTg3APSGaAoQ6O1q4qBLFso3uOldWRTlmeVDCKM0QEVka/fzQyLX+KSabpamR0ivNDHWZf6fA6x4R/vUFau11oVf8AUyC6q3a+S6JIFKWvHsTf66mSTxZsN/gGhMJ6kY9wKr9vkadekV0Aa38fkK+5xiR4WS44JdBl3/k4g701TxcBFzQxCylbfZTIxigbVAYUWTnESvKTrO8q6aDNYyzlq3uOldWRTlmeVDCKM0QEVkWB7QubEg6Ht0GVgIYMOOslaYQbQoqLTESFC0R+6c+m9+Hmux4mu5sDW0mAGiDQzPAxeaHRGHPGbFEGohoD+sIqnyjbfn1yqHnEI1De0yHnnqFGr5moSbUkTOzDZvNnPAoaZ9woeY6dfD0AIhg0vwsvsnAMLyv2QAeubXZJRnZhXTWqN4W6WxVeZMPbeNDoT2Ka4/josF+seTrKVJgGCOITb/4wAgmFf/60vnbwoxdOcvRmpE6crbyxh34qEmeqIcs8pRDopt/FqGnqvDuGc3pGZM3xkNKF8TXQSn6S+Q64W3R3wi44CyfPgFwJra8ocQx3WMiDHfJFpga0kgvqtEhnm5agRlJokF4ZgQccqaT8gkJwSPJ43K0ThbKZYRB8uiXI2xLHhph1+ADZHh5QXlRzw2yEGaNz0z2pi0m5tD9sbIfeGgeekVL8IInyA+ujwkVN4i1cRODEaDBkafLCX1e4YRTczMLwUJfCGCP7gQM+2/ONijtSZodIJg0yL/Op9ENWs3/WTXLheEmZdlbmDFGE3+iKEA0p+Kwb+NzBBX6O6XQukzJ3bv3AyUhgz+a5gGUXzH7l7p1Rmoz3Wq9Hn7XtOvSdev+CoRnufHv6Zn0fKoBJKlN6vaEwlf06GTHdaQPgR+aYiot+Y/GEpXWhOn8HR0sc6usLz1dBikU7AI05YYLQxcH489SBftwjlwIYnBv2DXDA/bQadMZcZSVTQXY6JP/pX5hRN/PsFVgUK4HW4o/20YesqzoLGbUoGgeC8NGC0MXB+PPUgX7cI5cCGJwZXluopXNTuDT/Kd6Gw9kgRtW4x1+rD+TGPoomq+p8iCdscO7ayipglxugGsVvV0xJxHq2lIW6w5FIIpO+3LSYKur25YmN/Rynjpkf5Apwc50YywFsv0aT2v3VScQeCBAgi4qZ0koMbJe3ZUwJKULa0wx8Vsof/rV0EU6MtOXRDV4tZLuiv5Mhv083VhOtq0otdC6TMndu/cDJSGDP5rmAZWOvSaVQS0qGpuvFD/quXSal9JcyE47828UCIMXY1IiHvi4HV/MbDVAztA7rB47nBFg+IHzEXxJeFhVueKXH8SE2aClFSFsJbsKLG2P/j6ykrxzHf3LrT1B9HgO1WanC3XKgW4GCAznNswV1LHSU9h08WBRTqZtaTLPuNkhCTYThFBqb9TTtoEomgsrR8qvHHvPdlYmfQqOybQ1WiXcGfv7owFLZW76OglyntOzlIAMIhQknltL+smG3HWaCGRdNWf08vUX9/MSVi7s9xPPebyY0hjtbE6GffbdmHoSolHRhuH2GN++CWkTLXwk2oSkJrgEmh8gQwmdQJKxDCEC0LFpUjjP24k0W5a6JT6haA2vbPKUQ6Kbfxahp6rw7hnN6RmTN8ZDShfE10Ep+kvkOuFqGOw+qEbI/mnsV6vAiQ1nh+HH0hc79EVa4DEXsT0rvuK8cx39y609QfR4DtVmpwt0FniiMkq61ROMw798DUlQAHxX5D26MygUomkeFXwA1cYUVC0QEM1precH+kPySMbnoLIJ7RbX1+eKQ0qfL2pa0Bv7co+PXDaoDDfPjJHo4Jhpimkw+oUQEGgZAVSV4IF4MDxjG2uvQzzQLY2sSV8CaHzTegA21SIAE451VwgNTMNScOiSEarIvi4K5tg7B+SZICcrnlwbR7LrPJ7uV3ort+8wQDlYlK3IFTKKhrMflgSH5MO21Ehcu3XNoivxAAEMjpjd0wd6WKQXpWmJfbu0Ew6qD8u+BtN80alnTh2ZAg7kahK4XnS9Cn90W9k8cqppTJsbRO1WyAOROkVWJCwy/LLD/iiH6IwZ4q3VvlDtzQGm+QwuK6kRbFDPJyOddoP2Zoir6s2oZwFspYP2tB3W+eLlMAsY5iCe466/ahIBk86bduy6X5zY1zT3OXJhj/nNKEKkhEjTcx9EU5Ovw3jCcw1ZL60X7Wc3vQnzrSTUub5MLoh3e8jHYm+SDDWXiF+zJpcCklhrPpWXeBgMsAe/MlYLfyp2oKbbqY1D5w0Ovk2NI+NWAc6HeFx610rgxJfnztApcdHp0mqWc7BmT7qrwyRXvkRxTBkDZTeC4nUKpa8FLpvRgBDQBpY1/99AXsSowv/j1NmwfbLoBw2XATdg8cYQ86vITG4O078kydgxT9GN2r+6ZKb5VI9VwnhgErUJ0HrrI8VANyyZt/wmueBRfShCpIRI03MfRFOTr8N4wnwF40igMbY7M+1+R/2cKMZOWxOOffqT9ZDEys+ZYH9GgZM5f+3Kq4XTLjCsJHRObgSfNen268kaykdwerbFddC5SXenBnPsEr6iZwJb2m3ffWhKjF/j7fvjfwOsPi1JxQYUVC0QEM1precH+kPySMbgP5I4WPbMXnOp8++o5hyyW2slASu3uJSHFfm719fpWMpDz3/ZchPD2EsS80d5WSHBFhccNS5dvOikwxQsyHldN8F91kmNw1hQmtutB9pI1L0oQqSESNNzH0RTk6/DeMJ/cr+f1TOJz9zPONceGSuyezVx1IfZ9e2w5gv9kDEJFWMmlwKSWGs+lZd4GAywB783Um6rq3mO8Us2pVsEjzFdE/E/CfUWfE/hzSsaE/IqGExhZ1GLUoOdRMqHGrQ/OwzmIe10dWTQb2pkbmGy4/exs71dgR9P/kn/Jih95CEVrMw9FGsuq94As3OtfNKL0nnGdmmJg0bmkvhwv34KRMPeihR1SVAjsfByWLDFf+Vlo7k0mil51qLSoXeypw2FjjodKEKkhEjTcx9EU5Ovw3jCeo/6V0a00lCNics0rfxCAum3yegJ08DuV6XmJnogTwOzJpcCklhrPpWXeBgMsAe/NnugAtZ4MB8tkmt6cfrRn/U7piUu9S03wqdpuQ2V4RkkleTRFhLqdIJd8Q2COc/eYUg+2OpF1dAdfhpsNs+8tvMRzamPQEk7HjBjuvvEQr62g1bzPO2Enfe9wzW73TLXSVw4ph9VFl/RTl9GATfmyHF6ae37AJQi2bUmQKEdbffvAGNihxEA3AZGUdBnzzYbZ62i/Ozq6B4TjY74oFOLG2ff49/Y8wFG/5I9UPwlNJ8e5nEOuCuhEhZeJ6nBNma2OYCmODLwdyn81rP9zek+vywb5QO/wA93NilpFXY1+2SssEn66gUlQ6f3xIjDA91yx5GJYfmXvkncL6NZgISmrIg2jfOsO5Mqi1jcxm0nUWxqJe/co1R5e0AKSgjlg5x3fgJrT6rRypERQu/+LyXVq41F873TPim/yUXQRE8rh/4L14Cl9R9kyRm6W8zzO5amPfM09U1I4fQVNhiPXMYGK/CN9WYnoBcOa2df8Daajik2jsRBwrbySRu7Sq7FBiLvvZ3tmCfpqwHRqRx64R1lk1jDuvrCEhwDUMboa3N4J4kinB7NmFTWxa7m8kvQQM/5iJRs14a3YEtGxr1osqVek9aBYR1c4+WaSnLKjOYi806rwhn1N4YdyYWF18XX/JuURU0TqhZTtvlxRXVPYhRnVw1QgNd5o/E7QQHPiE/OeGpnDKlYQ9Rp05lNo/PpBkneTHB5V+ZxuzRZLFPVAyCi0Wb/Z3lg0+0G9Y+z2NWA2EWSMaizHkQqkCqyexFCcNo4aNpQsVu9SYtDMUmuHo8vOXS+QP4Fq/+Y2kxxBGpPc92DgifqtceOPjpqMydKbr5Ki8qyAvAGGElikJywOXXvw34SaT+8fCDuER6rzl+OwZ7JxnxdsBBm6xrdQ+v6W/5TwLvmPikA0vdL4PTx2LtiMoY6rXX8uzs6VRuv5i0Qdjeo4vLXvfzeFgiiYOdkWKkjucuz2LsX/nOwZT7+G6go+IRQam/U07aBKJoLK0fKrxx8D62gPSkPlUb6/38Kpzr3EA/6AD62ocjuH9KVNSvFjY5uWoEZSaJBeGYEHHKmk/IHV4A+zJDTD8YfhpS6oB8ZXshwLmvEG7LNU5AORPStXcYLQxcH489SBftwjlwIYnBnmiQs5a/v3LWm0RgGrULNnbvMpkgE7I97e8qG8Vale92xw7trKKmCXG6AaxW9XTEuUL3e3haKwec/CLItQ2jebd7Vh8/iSs5sWwBFh8mZcZ0MK44TtWdYV4AS27cfMJeFxsIjgIrBKujGBO3kHZRf7YdApa7NyZ6GLfxNBwvmsHBw4BumTuQiJZivcWOGRavEsRnxpQc64LAJ4z7czfDQHGmRXbobYIKb2BatiFarmyqY0aq9SsfLMagMvUWmhORv+SbbXuc8EavDxvefHQn4c+8sW2AZpdynvDks04zEP0AqFMuuzbo6iwhIw91fAIo0lM3mlMZ2FMheoYaxt1VH8wYRdiqhOjMKWAKVOzRV5WNR27Tya/3e2Q0Xt/3wxkAdDR3T1HcUafRYdvjj6xMfJAQU7rFUAagttAgzUZpZjJXTm/0XjxsNIqT5RXrn2yipSDMZLDm2o3rklJrbZPha6fpptgiBFgrAT3mHASmYKYgfIJV2H2ZkFUFW84RaH8nEAzQmavQ23iMBaiDmcIWkPhgtBluUTP/fob8b2R7ZaS7VClNyet22mN1weeluNrVqHrjp1afsf4AuOaI9EAdegRV2cBy2cHpGkL5KGBJb5CK8cx39y609QfR4DtVmpwt1EhofQOqP9Kd7NoK1+qZOon/QGVyVxwxwUyTwpU1LxG2xw7trKKmCXG6AaxW9XTEnEeraUhbrDkUgik77ctJgpI1rLmHhFcEQhDE+sP2Ihxpz9vv8d7YajaYdaIiGC6o2/2d5YNPtBvWPs9jVgNhFkjGosx5EKpAqsnsRQnDaOG40T2Y2GHy5MFvMD0Gd0XwUlM3mlMZ2FMheoYaxt1VH+YsNzK3FMyh0Enp5Gq7+9IDsJs83Mkxy5wmAZOB8C32N/H8UE4CV3kB55TpDO81F7m5agRlJokF4ZgQccqaT8ggBkpsxWRBLSepz9os6gK0zt3T2Ggp7CkVY+C3oufKGJ23JW0T4qstVwOAGj1UOscHzFN7xMKb9UmH8iN718YnunO/3kyupWqeIyeESUGUuj+XUi7TJp31XxeXFlNh81RhYhWRttosiU1S3Wzw2N8KQowK9oiWYUMX/RP4EHshwUmQ3zaWhM5HSEkPiqKbrpV7whpv6W1G7xkDr2s2KoYRVHllBWuw3u5iL5gHPTj4cvfM09U1I4fQVNhiPXMYGK/aJaEnMIs/Y/cUi3HFhVNMxbgn+Zm1F79fw/39oVcAH5JTN5pTGdhTIXqGGsbdVR/mLDcytxTModBJ6eRqu/vSNUY2T/AFOrU5G3jPSC53pFih7yjkQA9RcZZifk1V8jSQEFO6xVAGoLbQIM1GaWYyQJD5VH9IRjQY+AcKGZHCSSdkchTDn/f1OYESHpZBxWEfr3MPWk8cu8pOlZTKknsgvDQ75PGOUHuAuF4LlYbodJLBa1o16Q9OWpkvmK4E8687ZJmhvErTSXyO+2+QyhOl+w6zo28tBWsZscgOeIvnE9weQ+dSetRUxel+G+6b+8Fg3RjQJ4wTgKb+iLHPeV9z+vfnD0JsNjxFIJW337mbp4gol6emM6V8d+z49KZFjGHVykf9QxEZE5zHDW3Z21GL1J06pe+ZrZamX43M8vqEgGGHlARQWgPKSRYwNVXR3aA+9dGqATI1eulZH78AYpaxuvfnD0JsNjxFIJW337mbp5ZNIUzt+4j4alPdPo6GGfrasW5kIiHvaTawOsMdG8YbuaZdyT2ldpXrEB6L9jgm5TH/anQvJioaXORbTzx4awMWO/GX4/l8EEQpTS6K57vsUYywFsv0aT2v3VScQeCBAgi4qZ0koMbJe3ZUwJKULa0ynZ/QUoh+CIZnRsqwfNMdmBWstrDG8ppY+LELdSNsGP1lvFlf6PB0yUw1Wkpd6387cxvYEER6zYMh4rq1oNYXH3e0wvoXzhawS4viYkcwabmmXck9pXaV6xAei/Y4JuURQbY2ApHhczdFwSDOaHTCrv6dp+tF9/gXVzfMl4SV+Rv9neWDT7Qb1j7PY1YDYRZIxqLMeRCqQKrJ7EUJw2jhvMzct1MMx9odRCXGNLXuwrPKUQ6Kbfxahp6rw7hnN6RmTN8ZDShfE10Ep+kvkOuFncyLhqTytkSsQ9M7uSdXINPQloBmIzB+/2MdwTjMFrH5uWoEZSaJBeGYEHHKmk/ILOuoXJ0IRYD4xSs0CSJaRVYaS8b+cpWHCZ4ykR1ncvC5pl3JPaV2lesQHov2OCblEUG2NgKR4XM3RcEgzmh0wp8XlkVuVof8//nImwvY/0yvPps78HPs17bGGzV+M0kbMLdn2lZjVjYq2pKJFQ1hcM6JWTecrYqYdbKffTod5H/CZybw4ytysi61Aa6dC7GdLg00NwQxGXOkO7VFCCkF9mQzidbm0EDy2ovKQ3uWlAOt7SvG+FnPgppz7H51ln+TJkzfGQ0oXxNdBKfpL5DrhaA9G8r+7apWwNgBF53NCmbojpovqbbXaNAAzZfiGmLuhfbSrKDn1O2/Q4pV6fUYQ7L2TpSi1lGl/zinGxjTPt+y4JRq7RXg2oZ3XpaSEa5bAP7F3jGqSsdftC+oQLMIBTfVLI34j++z6iGisNrZzDE9Fr+2S80kRvsjPIR6oZLl59qEbHPWLdkKjzwUxZ0PqpeXdK0KwKI9f2UsJ4JG6V1ykBHTuHezZlcIyYTjJb+O9scO7ayipglxugGsVvV0xLJJLSvvPMFQTYug9ubmnfqPUVSlkkMMQQjFuZvgFJYt19pMi+oJc2cZQmSGazRr7u6IBZzu89ZSwWiIAQ9VunWQYEJyX9VhAb7Iks9oSZL0eFEkvPfXKRiiIr3xSEMTs7r35w9CbDY8RSCVt9+5m6e8R92Ywic0UGZUszumpDp/gpPWk9l2p3s1hWPH2tZ7ergJrT6rRypERQu/+LyXVq4HRtOky/T+n6FKKesjrP4dgx+28lnK9gX/orfWwslV5PbHDu2soqYJcboBrFb1dMScR6tpSFusORSCKTvty0mCm1Zknq65yA5FCWig2R+vAV7puuS2nb4knOL9m6xBu69cxeIAjRywb0YTtGDmg41IHcjgjkyKSkVcicI1itHbGb+dOqS59z4sPhIYOJFxC71b/Z3lg0+0G9Y+z2NWA2EWTLQDsaWiTZk5ejOp2ZKV8wu0nAOfm3V3gz2jGNJ41FxqetMacTSlfuhg8Je7KCTcSZDfNpaEzkdISQ+KopuulW11kWAOiVQhlaik5IzHFMF7SslerSvqI8PUfaH8un2v+eQxVWcJ7yuEkpd/Sb3lx8t3wT+UCzCAMtmxiDkXtNmC6WLF4nDC8tIyV8qWNlU5RFXZwHLZwekaQvkoYElvkIrxzHf3LrT1B9HgO1WanC3+JAWqSF9uQ/g6vOcPqPFCvycbyQOCkDI5yjJI52veqvI242ppGAiO7f5G5FOBTlk6GEZgPfSCxmSwu1X38U0ahWk2h7ReYipINmgK5z1k3q6dUMWgpcMGScakWspv6oCTHrIiK2EuzQ86XK60S55oA0iwQku4bWPCKpM22AzXt7pEqfwyhpSqm3ELgOmL7M5h3FO71sbCwtDVoFZp/g8cqS4R/gjOrTZgLDVwVU2/XfJVZkgjTsBeDmpKOpqPRgKif1mXuytTRK5HlxzDVdb9ys1R8K8xsgWFB7GaL7J5ypTjyG4aE3waX+wGrCfsZE+U4RHmhiUPGNO5HqE0B0dH61VWQ6wtigUKVjFUQnMGZHmmXck9pXaV6xAei/Y4JuU7SUZI3/y/jq34KnUBRSDoEBwBKVZksjb67jFzzWWvP7gJrT6rRypERQu/+LyXVq4iVyOivtVa4rjAO3L+H6KNks676HdGEPuA78rhlY6HbWVQK/m0F1utmWojjKPdmN4G5Y9p66EPLI/qmq1uRINStpRWhrAf5/cik0HTbdrsZ0+oOlXuAWfRNAll3elNb8vAPXoI5f+HfQdQSxzgRURGCt0ce6yPgFbAW/pgiaU2kVe/RH66RV6Wkgl9cELfSKZ427BdZ9RBDNxF1UZQxnG2LlXi0qu1pIUqggEzybUB/jfM09U1I4fQVNhiPXMYGK/CN9WYnoBcOa2df8Daajik8M/cLFTDsj72ddItOMLSE/bvWAdmHaGGSMzt/Li/TwuSjn2rYfpAaV+3Ho2WxYIj7sC0wyNWIQrAxehDjmTJP7o0TlXrtq+Ft7Ntv7DRDBSQJsTdUVQKOyDYC9yFEb97lgJbhzJhM85w+wi+WYO8nsQDVVrWOT3F/GkRfEouhm4RxHI7RdCmqKpK8nx3p1EorWv2of3rT6Xu6oaaaCB2SP/km217nPBGrw8b3nx0J+HftHk65ELoLoawW30UYsC0EDcenUPtjHal+nPQIph19vSB3giBZxX4wE2diljg6fzUkTNrfDfD09GzwL6/mSNTez9vun6ieD4PgZzZ6/53Jqz1tC1MPkM3zfIFH+M8pLVw8/JQCKSLNLPqbFHZOhhQg6JAIxjNnXGGrKqQW4ni1UIpxrQfd17aOxdezvRY2DKFrv8LloauyAKZDsO+6NhIeblqBGUmiQXhmBBxyppPyDJN8UFKYmZ6ixvIF550VqBn0E5o97ymFVQv1ifEhP5dH4cfSFzv0RVrgMRexPSu+5hkQZbqfjOEaxOq6ZGvFyx3mOudqWQdn5UngMUgtSdvlbcfK0LYH+ll56HzeJKa2JJjtMQova9yYXAX9QmXJz2vqJ4BrOwRqO47hVO+J/SJIy4nOhg3IetWUUZwiLF/1ZBPtWaSxJ9HCxFWjBuzmr7jm8EYHgtjUo0wPZnAUb1eswMRuQZFkhqeLqrIaNgSs/fM09U1I4fQVNhiPXMYGK/k2H1u7rEESCNX42KieuqrKXLhnY3lBjMLSgzEkugSJpXhhgBciv0X1l4cKU6I2KKs2+RMaYv6TnRsiqD5qX3Zw8gT1h54eQpScrmJyagtcjVC1ge8KIpeky8aHrnwIO9cWp0HZcXdmKkQa9RcTuSi3XS7MBZ4TXe7m1Kw9b2U6pzhIP0p4P+HhrXzirw82AUM2ybYfozeeDC3Zd1Iac0JA0Uz/HaVRyHkL0PeG8vmZveoFDc/vpwkhDQswzp28G4lfoxWVip3uz+KCrAWoEC/yJppLhlhPXj50ZSb9x1T+xSlBEUuPZoDTEGWc/qiCTvnL9GhDvf2AJXkqqWGkOa7PVVEJSNGQrRN0LcMJ2J8KW1Ygo6SIeFb0fRw8Nf6pBGucSNR1Eh+vHDf0HjRua6J32bbWMe/01f+gwZxtW2GZvG5Tt2vDoZ8kH1orgmGUSG/WZ+f6Fn6eDuXGOCOHZ6Nfb8+OkpGdMNLVWNNhTjPbGIIPJzPDUHjKaJWpkV71oCi/q1pewfyjrBQWfRDgaIghTOauWXAUTE3w2TcN5oeXCD+YSXJ6ryzX9Bj9DM7Yc51TGQN85vjXUC4rMHK1AeV+aZdyT2ldpXrEB6L9jgm5TTQ88WVIgm99nsnSRRPEaQZ6BhI52bAR8L5vfZUT3pV+AmtPqtHKkRFC7/4vJdWrjUXzvdM+Kb/JRdBETyuH/gT6fhsMb6jHzNYF0astZfepxnxdsBBm6xrdQ+v6W/5TwLvmPikA0vdL4PTx2LtiMoE/R84ntSZSUnrExAipF7V9jOoJcrnuzQy7wP2rkBJmF+0eTrkQuguhrBbfRRiwLQSmLM9Pv2IZ4CCKKXCZ4A016mCPoR4jG3Nsr62Ncv/kBUo6Nnred0YTuH474/QjcFHljd2Bbz0TymLmCoWHWSe7VqSE2G2qAVzW7px7/nKdMCJakP2c0Lds4Ju2nEviY2vJrwI3hzDY3kiTzaxcwffCbKetawgn+VyVr7LzPd+m+INvKfZq2PuzP0xNq3f8sCmlN5tehXYOXfVUR7CJuCeHdAPDtxsjxUQs8UIr6EsLqcuz2LsX/nOwZT7+G6go+IZMLFcY+xo2o8TXP98IMavsjJ/JU5XTHvHmBL/ZpeJbqFIs7J/zebd31/KMcc4oMikQYIbqshridadAZWgXxSilJPBQBHbCOCEt6LYXAsj0kLloZBMNOJujGvKEKWWpMSVQpLOJgLOSm7yn70A+2JBrwWjG0mAwBRSnV9VV6VgO21vU0rcTiY53n1ohjr6ks2Y0Rp192vcq9v0dncZ2wojz7yxbYBml3Ke8OSzTjMQ/TK1qaIcuY5hzNELuMPLcxELhBmrHYWCoSpBuDHUeMvBKPasdMX4QuwBF7NQmnULl0gZKE06DSjTJXE4kFUD4CXZwBtGIP6CbHAgKo2xsQSER2fSII2ANl/vUEKFaghRpcN/QnUQZenOSiV+B53HQgKKhrbQCAUpNFIDW+OiZ4D7cWdmxEuHdYGEG1/vE60NJKMeB3Sh8vU6o0JyJnwdh+GmzK5EdaV9q8W0RjeE+vR+ZXDimH1UWX9FOX0YBN+bId/iUicDwYdw3VqpUWpv+yruDHj3YQYPSec8vImkmFPytTBBjoH12sXk0k34NgBAZxnG1wc3uPLen5BnKei/cZnm/8tc2ELQsApBCqh+rMcBpy7PYuxf+c7BlPv4bqCj4hkwsVxj7GjajxNc/3wgxq+timNGaKZxRHCFCUHRd1Uzeushj9JRSHcHg6kzaH9tAZdC6TMndu/cDJSGDP5rmAZvsGXEJZ12Gepin7Y8xJ3YSDzoiQQh5eyROys3dN+pV5MdLBQ/3Lr/T9y4t7d+weKBGKSm9SGgYQ+JuljXLKT5h3b9T833l4+2nO57b6vl3JgtDFwfjz1IF+3COXAhicGxDcUy4OKR5DEs4K56Jd8qUwhKx8O2JxYqhvOzwo1dWvnWTdUvCJjU3GYR1KRqxH6eZiJgFetpxj8pnjQ3LAa5YNkg5rSP/8hsgc91ZKJegFv9neWDT7Qb1j7PY1YDYRZMtAOxpaJNmTl6M6nZkpXzOX0WBizht/5W2davc6++BFGMsBbL9Gk9r91UnEHggQIIuKmdJKDGyXt2VMCSlC2tMtYD7YRJDLSjVp1KACUjKR+HH0hc79EVa4DEXsT0rvuYZEGW6n4zhGsTqumRrxcsdDj0P/BpR6xzHmMzCYERUgseLlnPm3+PeOeCKtUpRMas2+RMaYv6TnRsiqD5qX3Z37TuIodi69BLtIFHpoTA7J1B7y7ty/uWsqCgQNtNGem5uWoEZSaJBeGYEHHKmk/IEz/YH3Gua+//pLlTPKPdJ8LqX6aHfIuouyPpy5Xvr3bAiWpD9nNC3bOCbtpxL4mNq4O1JAolYpHYtIs2FETalZUrgR/19rZVRQE94sC9TZGZ+umGEbjuiNTgtYQ+VrA154dgipKOy2lF3DTWHn7UNGafXZCh133Cam5H8M9UfRW/6pyPjdUXJ4PWXRy3Cc4UW+JAwLXbHJpCBaPBFcK6FouMHX9P3d4PMmrgjVMFdG6SmpZ3vecSV2NqdK9KsyJ2ZX6MVlYqd7s/igqwFqBAv8iaaS4ZYT14+dGUm/cdU/s9mcdIgv344/zngmJ3bLMv2/2d5YNPtBvWPs9jVgNhFkjGosx5EKpAqsnsRQnDaOGT2WwahyrCjZXoyFLaUP3RtjOoJcrnuzQy7wP2rkBJmF+0eTrkQuguhrBbfRRiwLQskkC19FBx9idzA31CJhdZk7Q/+MC5euc3K0XlC9NCfYVKsOcMO1uYI7GWlEB3HgBm2+H7MiSjqt5o6itIZUcj5wunmxQz8UnxPxPlC0uDVDFnZsRLh3WBhBtf7xOtDSSb8bPqslYLd4ZyLUWKtWTFxbxXobAlK/zO0R98XCg/9DpEqfwyhpSqm3ELgOmL7M5MQvgnXL6Qba6R+uVjB2vipzopTD2LOpKbBIjXSW7x79gtDFwfjz1IF+3COXAhicGDHLLi6WaQdmCjG45ZYqyquPUSWB+76gq5JF5a0jdfnexDFse4nA5lWh1mzrjbN8NShsttpzRY/1zltv848jWaOBw9DbAs4ZUATJdHOM9BtYN6U2qhOrZ+OzoW3YTIWxjHZ9IgjYA2X+9QQoVqCFGl7PvJE3mTlqfRjGgokvlz2wpJI9RIIzBr0zg3Fw4oz3qJOSKa8GP548neshcyWy8s3tc/ChGt+Wtz9iIGFKtEfSa0kcRMo0FwS2DUqyp2BiP6RKn8MoaUqptxC4Dpi+zOY1Mi/68UQETZt9XupeVQbaav8L1Z2SXES2BhoQrCVr7jJ9/lh2sb2uZFfNOgdxcH7IA8VLA1tvve+CVQTHLt+1xd9VVlQ41BpqTit0YkCsvPPOe9xWifXC8yw2LStdWJSvHMd/cutPUH0eA7VZqcLfvlmrVYppnDlAb+k0T3/L7ntpGPlv277MVDGW+HLWa72+JAwLXbHJpCBaPBFcK6FohaVaKlLS3jCI95NCtONQlxkv/uQ77QUldCnrZMzbWmjp8jJlK93/MN69Upf2PYk7wEMBpCK5mG4pz+IZiI92qln33H0T402g+M8UYujZ6tlXxfSvt0ych6hxJAEcZHPF6IlfFCRE+cYcS1g68xMjvfMAQabWY7IBcEd6bUXusT18naS1o0vx7ylA3bQyyF54L3yXpxAfrycltEbUayRhlsAgp5SmpNexHKgsGJhPCcene0jBqe6KOFEZQb9Ig92Iax3JxFaz/aFSc155xNoxdzVkTYCQdCh6Cx7WKVOQOIeGC0GW5RM/9+hvxvZHtlpLyIXOsX502sKwkp3ej74J1yxYLfTPmeZArmgePQ3MWClNzcj6TfLlioHRkYTnCaLw1gQeBQN0ZvLcSao39JEkRf9tSz4B/6pZhMWTQLWpzkFOG5/WFSRP8DNbTRB6NGLmZM3xkNKF8TXQSn6S+Q64WzYBG9PFvzR1J6zc6+6EGCR/aF5n8X7zIEA57uofUHvmZM3xkNKF8TXQSn6S+Q64WvB4zoN94LLTMz8djdnpWD/7HTgI/5OCOFLmdiZQjuuCtXbUeQTON4lB2cfDc1iNM5BN7KaY3Wu5urNMjCLBTO/XJ7pJdwgXdNqSFsS5q9WrdKHfqMWZH/Dcz/0VP3q96PfU0n7o+nZFwNYZI/IhImUOy6W/8Ib6VfSmvykaatszgJrT6rRypERQu/+LyXVq452PIkNqVzGM3ofVTz1FmONdg4Atw3mQRm5CsXf6WxlMRV2cBy2cHpGkL5KGBJb5CK8cx39y609QfR4DtVmpwt9aMwVdPMvBBSk5iJxJvww8Tuk5JF5KPjVn7S1HA8MUd4Ca0+q0cqREULv/i8l1auJZg0qxJjPqZ5pRoQdq72i9ZapKDjacVzbsTnu9tNOc8nLs9i7F/5zsGU+/huoKPiJXpK29GYzmJegmg54ICKtXgSMVJCqUtRrOTrHkrP9k5/5Jtte5zwRq8PG958dCfh37R5OuRC6C6GsFt9FGLAtAr71TR5X0Hv61oxwCIv2+0HTfb7dJQiYVnMHcRiXqziw16GeS4ryMKIFraT1uXF9hgxVG38n0skxOvdABos3iODpWHO0COP3c92tW5xDSanDinDZ3EakIhgvp85xkklyApPExNnu6CjOUxTCk8kzrSrsGJa/eSkONxzK9y0JRZgfMvPE8r9RR41NzKOUbG3Q+cBcBxLkkV7zHJP9cKYCQYTKiTpoYc0fiG6hXM0FplPDinDZ3EakIhgvp85xkklyAgZvCcKuxBeU/MVrBuGuk4P5U/2pLrGMnVbOIpsHYSdeaZdyT2ldpXrEB6L9jgm5SoNWEhs/JO3ZqmNN/wJ2IUMvQMjKSaG673QY7cIW7ospX6MVlYqd7s/igqwFqBAv+KwjcZiWIaBW3Z/OQe1vuKTShVBJWHIIbUxWCICBuqRn4cfSFzv0RVrgMRexPSu+4rxzHf3LrT1B9HgO1WanC3QOUovCfIve1/OyVTnZmTy4Ah4f8SZfN+jCdvhSXxgxQI+U0MooKDh5R0CIKRPPesw/mfo2UaRpih6wqU7RpnmxjcMwWoiCw9wyi7wrh5mQzw2yEGaNz0z2pi0m5tD9sb3ww9OhOLheiBE9J0yuLTMhIdndcD/+EXcoKSwLNB3T9pk1D5qssMy5XkmaHbleJlIfweWhGhhrgtHO3w9cgYuULx2O6cE5k/Vz94KuozvYyV+jFZWKne7P4oKsBagQL/ft05iajk0YWQHW2LJ5ZjupavYRBa5rS49wu9HeU97J5+HH0hc79EVa4DEXsT0rvuYZEGW6n4zhGsTqumRrxcscYG5ZNXtAhwc7t9T7PXj9yD6QFLlSjsR2k9tMTKDkPVckGbP8IvIiaE68GLozGCdfuRBaE5+zBzYwvIloXUVOIPSYc6P4uJCHNqWlE0zsmaZF+huRgWXCDUG9lhA43l3zsMh4XMxqEb4Q7WalMm6NmA39yuY9VrNhKKkij7g4kgPNkEMmClDhKzK1OQg6BCXDJTYY/c3BogfLUySFziBq3KYN7yX6bfBsUmVwY51Optb/Z3lg0+0G9Y+z2NWA2EWTLQDsaWiTZk5ejOp2ZKV8yPNkDlOC7E/CZFNovLkW98zylEOim38Woaeq8O4ZzekXMXiAI0csG9GE7Rg5oONSC6Lce6jTUclrEDwu3oT9CcRulQ0l2LWqJfCSk4JTkhC8yibFjw5nuj+Jt5gNm8lCMoyn+sHQoNcHwvJZRFm3gBHPSJCkGz4QrcuRbpx0zEEtUIDXeaPxO0EBz4hPznhqbAhX2pHsHKRMKif9/RqIK/QVK9qKtzwpMICBzhCYX3ix8n2WvI2vQW2zoofMZ+h9d1M2D68hfNzETTbQwePhIURW/oaNLCMOu6NEcXM54wmr602nbBTih2vbbe74qsutKD4l/IsHrdP3eD5F6e3uyytQPMc/ZELnrszbzaVaCjpuoSbXumrJdf3FhChTUPD6hviQMC12xyaQgWjwRXCuha++XtUp6dhLlzkR/DlXCbcJ0QoY7XQ8viv3+nVPUJXCi2zjdlHzURpae/YSfjOggYuICcZb8mQgDfmLSbI+Vx9dHUFELeYcdxKUKEtxAgRMFjaPUOLuqD6014qigHpmuFOynFoWtVPkpFFJcDD8leRfxDe2U+jLk508wqZ0YkYie4hMDgATAnGymN/bhl+BAas1HdSxDLkQ1dg2fTwMXtR3YsASA9upfWV4+LfYI6qWGweaHoGIIWUZ7rAcUFzAv/oo65BKK1RlKctP6ma/TWYnI/uthgitmP1hsEoTdu7zSf1RuAxogUIYuRaIDRTlyCqC/c3FUurwssba/PmlERF5BnZX82NEinc/XtC1w26oDYbtLAPpP4DrWF3QRV4zJCshv5bmRYft9KShdGJIy4LGv0soETsnkUmLuVCJ/8F2+V+jFZWKne7P4oKsBagQL/ft05iajk0YWQHW2LJ5ZjujXAwcyop1EL27K1PRUxOCqcZ8XbAQZusa3UPr+lv+U8ZMLFcY+xo2o8TXP98IMavuo8lPeDXltoNfETwTpSa+7PKUQ6Kbfxahp6rw7hnN6RmTN8ZDShfE10Ep+kvkOuFofy3khG48TnHKF699eFS0LCl1PnenjufEjIo/kntuAKs2+RMaYv6TnRsiqD5qX3Z3e+Fnk7pSbAntg1AJtFOKAZrIWMKXSV0bdLLY355vBXN+ttd+inR6RnnGHfwtJTqWcShX1Fxmj7oF+u5/R3qSwq1MaQdbsMB1omhx/QeMtf6qFJsFEB30Z5OZrxI2jRk1Vl4x74Z3SQpfgvSCE37IlObp2wCVb05Yg1Bu8HqR6wWIpmqwzAPLn8vq7IL04cEpoZ4OfSEfFrcwX3KniQPonyIlPLb41xXte6K+90RT87x9YWSHNMbq+6CUJuujGoZ8f4gaVl3gZvmmiSK9b7AtaWGqCYejt1m0xxFf0rIkKG45dalcA3kUwP2h34tm7tI9IEqIASd/b9yaiVDgUZNxN40ui4q5HO7Kd1zi9OvMzqC3Om1M7wTtn6F2iZ4HtYAczZKP05QlHbzx44t1t/teyQH/AA0tzFWEFdwFYFzqSKCJfYDBAyshC6pBs7BocPwTfrbXfop0ekZ5xh38LSU6lnEoV9RcZo+6Bfruf0d6ksLHdDUV2hpyXAnzkwzBK/EKSirKRHzbIefAfeldULDIUPYLtOJCQlujk7MdunADb/rnjpN8BztBrq5iNIxv9bFjiACA7W8pbITpz/BGOaz0h5Lm7Yzpn8ajGWtMIPnJKrc2e2zJarcWY+lW+8Z5bypNqwDrmMJ+qYs/89URRAGld8blgl65+PCS+MbwFbZl+iTzgGHJuvFXNX0DBrJIQeBPZXp2ecbonR2yNGANvZtPA+a2Ppf6lRCXLKpov0KWtSr3hepRZxkY6h3X+rlFlKGVb5NU3+Ih9HmIU3cgQUJvZUDpj9ePsyxKpaUVMwbuPhFaU5Vhp8K7hsrpcReuStr9WIWevaSIZwqgV35aSq8sFBPtWaSxJ9HCxFWjBuzmr7g2uR+cKmfi0/cqAkynk03duWjd0lvrKqAbb/UtuJauHYZbMDkU2ZoRCDBVe1eAIMph9ZiRjegbGAuZS6BKXcEducP4opJHC+Kl2Ts4edbjp0NDjKSZfNcXODL1lNnOBLR3HMED+H0XzeC6V+8wpK/aANLm/BBvVzsUzA3fLcj70fJWuNmhY1tprCcA+AVyquey4RrLTFcpp4gnWOCgl9ONUrmQAnrq7BrRXo6lRMxZS0FPuZ0/01DqZtmzf9+lJ/xDvFDpsksCLtx6LMUOcfJB3MZCqNBAdUGGIvfg5k5+i0ZHoaLdXZ2XeT0818HFn06qFJsFEB30Z5OZrxI2jRk1Vl4x74Z3SQpfgvSCE37ImNw9f/BHFq2hqIMwjhVARJpKKspEfNsh58B96V1QsMhQ9gu04kJCW6OTsx26cANv+5XBp6Qgaa6BY5CQFfnx1Q2GWzA5FNmaEQgwVXtXgCDKYfWYkY3oGxgLmUugSl3BGshXIkU5f05mr85eWuzz3/x9YWSHNMbq+6CUJuujGoZ8f4gaVl3gZvmmiSK9b7AtYWQQlJuPwtfG9HxtHnOIWd2rAOuYwn6piz/z1RFEAaV3xuWCXrn48JL4xvAVtmX6LWtIyGM63uvNl2ZQZxeniPse6rsnSscH62Pp0ySO2OfnsuEay0xXKaeIJ1jgoJfTjVK5kAJ66uwa0V6OpUTMWUnMWoABMR1D76U8uwqktdFMzZKP05QlHbzx44t1t/teyQH/AA0tzFWEFdwFYFzqSK7f6zf/Jvr0DwdZifjFzG4VQOmP14+zLEqlpRUzBu4+EVpTlWGnwruGyulxF65K2vBO+m9Zu700E0nVNhJcMiouqhSbBRAd9GeTma8SNo0ZNVZeMe+Gd0kKX4L0ghN+yJGvTC4Fo/4F/+8N76TRwtPKSirKRHzbIefAfeldULDIUPYLtOJCQlujk7MdunADb/3YEB3SuX3XWO6GM/rlIK0thlswORTZmhEIMFV7V4AgymH1mJGN6BsYC5lLoEpdwRJfuLS3uxfLKLqwmCbymptcfWFkhzTG6vuglCbroxqGfH+IGlZd4Gb5pokivW+wLWwWis02DkyEDf/DdGumoAz9qwDrmMJ+qYs/89URRAGld8blgl65+PCS+MbwFbZl+iydVjj8dkAiOHlzPkkOBiEfdp2/825QcquhHG41Raaz97LhGstMVymniCdY4KCX041SuZACeursGtFejqVEzFlJqr1biZS00TEPqH9P7Q1avM2Sj9OUJR288eOLdbf7XskB/wANLcxVhBXcBWBc6kijGQWqJeHUtyE4CTyGS+2LRUDpj9ePsyxKpaUVMwbuPhFaU5Vhp8K7hsrpcReuStr3iAFfJpoYrIx/fSpSaDkKHqoUmwUQHfRnk5mvEjaNGTVWXjHvhndJCl+C9IITfsiUHRf+v38B39YzopUoxcTyGkoqykR82yHnwH3pXVCwyFD2C7TiQkJbo5OzHbpwA2/z0QPpbi2IEwx1Qbr91MpgbYZbMDkU2ZoRCDBVe1eAIMph9ZiRjegbGAuZS6BKXcEbNuHllHRlDd+WZNS280myLH1hZIc0xur7oJQm66Mahnx/iBpWXeBm+aaJIr1vsC1qgiFXRoWWPCwc2m6Dri6YHasA65jCfqmLP/PVEUQBpXfG5YJeufjwkvjG8BW2ZfosnVY4/HZAIjh5cz5JDgYhG3ubf+EEwvev07wUFcHDpTey4RrLTFcpp4gnWOCgl9OBLYfP+xYl0Ztvf/dFsUG9pyymy2pctRHiWZHjWLKECOzNko/TlCUdvPHji3W3+17MB7atwG/5n5ZEu0G/tTiGc9PcyWZGOHTwDIhsOeEnsHN+ttd+inR6RnnGHfwtJTqZ1oLZ8EQKQefc9n2ZGVCsu/JVvIx+uS9S5kaKCZY5oVpKKspEfNsh58B96V1QsMheQ8Qur6hM80pcctrjPV1CsSLNNzX1gSdXcRHGFR4vzCOIAIDtbylshOnP8EY5rPSHkubtjOmfxqMZa0wg+ckquoo3Tj1wfv+G2eHr6VNy5H2rAOuYwn6piz/z1RFEAaV3xuWCXrn48JL4xvAVtmX6JriFrDM6MoUPLhwP/q8cALH0PbnnkZm1WQ69bmiAi3Nz5rY+l/qVEJcsqmi/Qpa1LaJjCiJNhdfLb1ESaE70dYXNW6mJNkvsBawHlVTLjSUFQOmP14+zLEqlpRUzBu4+EVpTlWGnwruGyulxF65K2v8uJcztcql3xJor8dzJwxwEE+1ZpLEn0cLEVaMG7OavuDa5H5wqZ+LT9yoCTKeTTdcJiAMyOk2AJ4F7BIUgAm29hlswORTZmhEIMFV7V4AgymH1mJGN6BsYC5lLoEpdwRirVN4VyQXBwfrNNBSUSDfHQ0OMpJl81xc4MvWU2c4EtHccwQP4fRfN4LpX7zCkr9CDuFqiePqIR0E/vT6faKGYwNoYdlCK/T4Qy0G9PY8WJ7LhGstMVymniCdY4KCX041SuZACeursGtFejqVEzFlPTeIk8cgvdA3QlQYMsia+bEO8UOmySwIu3HosxQ5x8kSNJIq1Hu6SLw6+L3BGnEwcx2WO+C+kjx2IaX222MMqLqoUmwUQHfRnk5mvEjaNGTVWXjHvhndJCl+C9IITfsiSqftJiuK5rlwgui0ElPpS5YimarDMA8ufy+rsgvThwSa86oiK9pYjy0nLyCnoN2bWhrsb2MD/p5I8WjGv6cWCLH1hZIc0xur7oJQm66Mahnx/iBpWXeBm+aaJIr1vsC1mtikQQ+lX4lJAzrRiXyHgORsjxlzaNrPI0mP48e4mSZ0gSogBJ39v3JqJUOBRk3Exw0Xd/vLUOJ5R1qGynEOJH08uQgogXaUBj++kOQY7U+zNko/TlCUdvPHji3W3+17JAf8ADS3MVYQV3AVgXOpIpEB6i6j5fwWZgQ/RLtGvd9N+ttd+inR6RnnGHfwtJTqWcShX1Fxmj7oF+u5/R3qSy7cBgrTWVs9iTuZxP0uf+XpKKspEfNsh58B96V1QsMhQ9gu04kJCW6OTsx26cANv/1HubWtcerWEU+RmiNZhquOIAIDtbylshOnP8EY5rPSHkubtjOmfxqMZa0wg+ckqscGgHMvSGVFE4rwtwRg7Ue2rAOuYwn6piz/z1RFEAaV3xuWCXrn48JL4xvAVtmX6ILZptWG+O1Otvn3ZJyhFhAPCQ80JOXyCL3JpWS71StOz5rY+l/qVEJcsqmi/Qpa1KveF6lFnGRjqHdf6uUWUoZ7Yjfs9NjO1JjINJ8mbYM+VQOmP14+zLEqlpRUzBu4+EVpTlWGnwruGyulxF65K2vVRVdn01uE2VF87nenRqlL0E+1ZpLEn0cLEVaMG7OavuDa5H5wqZ+LT9yoCTKeTTdcoPO6sXtj/MMRajUdiNYk9hlswORTZmhEIMFV7V4AgymH1mJGN6BsYC5lLoEpdwR9Y1PreF/cmqsm2G4Xf0HenQ0OMpJl81xc4MvWU2c4EtHccwQP4fRfN4LpX7zCkr9vQl9hbKmkoaMudMaXx2G7Kt5muTKuFZy7r3lG/rMygd7LhGstMVymniCdY4KCX041SuZACeursGtFejqVEzFlHg84qv9qbegg4sI8Dwbp4XEO8UOmySwIu3HosxQ5x8kHcxkKo0EB1QYYi9+DmTn6FUY5kR45Kf3vbMiOYsY02zqoUmwUQHfRnk5mvEjaNGTVWXjHvhndJCl+C9IITfsiTEaMpvJfXi5+SV9li5a05dYimarDMA8ufy+rsgvThwSa86oiK9pYjy0nLyCnoN2bcSWjniOfifWjn9BMWGZpznH1hZIc0xur7oJQm66Mahnx/iBpWXeBm+aaJIr1vsC1p02gGg9HkQGwi1B0o4k/ECGQQdJJ3RH3aY4ApbdwsLI0gSogBJ39v3JqJUOBRk3E6vcp0DChwtHX3prO7vJusBJ9znZDJaRW/iGvPxTSVCDzNko/TlCUdvPHji3W3+17CJhjkIYJyAmk3SELiHlEYi+hR0x08hAEvUgaIOGalSUN+ttd+inR6RnnGHfwtJTqW9aoCRjg7gjL7LjYDzC5f+7bodW6w7NqpR9Jb4zxvLMpKKspEfNsh58B96V1QsMhQ9gu04kJCW6OTsx26cANv+CG9JSdvXgFVghd6UtbIZhOIAIDtbylshOnP8EY5rPSHkubtjOmfxqMZa0wg+ckqvR6k0l3HfXqqdo24pxct+h2rAOuYwn6piz/z1RFEAaV3xuWCXrn48JL4xvAVtmX6K0Fer34HTIZ85NlPnKJT4q5+RdA7V7oUb8RdTDPSkNiD5rY+l/qVEJcsqmi/Qpa1KveF6lFnGRjqHdf6uUWUoZXgoqJKHz6qemr/nTdk34p1QOmP14+zLEqlpRUzBu4+EVpTlWGnwruGyulxF65K2v476zvu32iLTmzW0UFCxVjEE+1ZpLEn0cLEVaMG7OavuDa5H5wqZ+LT9yoCTKeTTdLrjfbORf+r2AbKxLPKwoE9hlswORTZmhEIMFV7V4AgymH1mJGN6BsYC5lLoEpdwRKuxU21cRrY/0QnZYzqdNynQ0OMpJl81xc4MvWU2c4EtHccwQP4fRfN4LpX7zCkr9rdz1E+k6fAi5Xk1ymJ0PjtVdOkrtFYk7iJiSt3GWtsp7LhGstMVymniCdY4KCX041SuZACeursGtFejqVEzFlCJIHI07bv9UDaNFwACNbwrEO8UOmySwIu3HosxQ5x8kHcxkKo0EB1QYYi9+DmTn6Ar6YJQY23yhbevE+TrBkc3qoUmwUQHfRnk5mvEjaNGTVWXjHvhndJCl+C9IITfsiY52eEaENUfJFy39M5hyWAlYimarDMA8ufy+rsgvThwSa86oiK9pYjy0nLyCnoN2bZVAlgZ1Pw5+9GsdVGwTnZbH1hZIc0xur7oJQm66Mahnx/iBpWXeBm+aaJIr1vsC1kZCXmNWdH7bqsLf12jIoDUmB00HMolXCLsKsCmD3KAB0gSogBJ39v3JqJUOBRk3Exw0Xd/vLUOJ5R1qGynEOJE2Es0IjH137dSILDDfJmxpzNko/TlCUdvPHji3W3+17HwoACMfZhS9TLtB6ynAN8ZSsP8m8Px5HFJoLMzCcMeFxDvFDpsksCLtx6LMUOcfJB3MZCqNBAdUGGIvfg5k5+hrRuKX+WKdLrkNw6zF7S8yVA6Y/Xj7MsSqWlFTMG7j4RWlOVYafCu4bK6XEXrkra/gqPY6cVElB7kcNszXJlIVN+ttd+inR6RnnGHfwtJTqcEf6+ZCkaEQGQfY+NMeUjZ5y8EqMfm82Voxs43EJKwd6qFJsFEB30Z5OZrxI2jRk1Vl4x74Z3SQpfgvSCE37Il0qotPzzOg12Y1O9Uh6JsBQT7VmksSfRwsRVowbs5q+4NrkfnCpn4tP3KgJMp5NN2wpNV+wpT0cmbhCZXkR3cgpKKspEfNsh58B96V1QsMhQ9gu04kJCW6OTsx26cANv9TtNz19rV8+a+ZGKkAE4NVWIpmqwzAPLn8vq7IL04cEmvOqIivaWI8tJy8gp6Ddm0nb2N6s59xcbiA+8aImoYH2GWzA5FNmaEQgwVXtXgCDKYfWYkY3oGxgLmUugSl3BH6nLY4NsvLTmdXUAjiiWWaOIAIDtbylshOnP8EY5rPSHkubtjOmfxqMZa0wg+ckqs4sxdLc6fVX6Z8p27Wvi01x9YWSHNMbq+6CUJuujGoZ8f4gaVl3gZvmmiSK9b7AtbSyg8J1POMgB69EndXLn1WdDQ4ykmXzXFzgy9ZTZzgS0dxzBA/h9F83gulfvMKSv3t6sLxE810uQLge5c1Tg4E2rAOuYwn6piz/z1RFEAaV3xuWCXrn48JL4xvAVtmX6LxAuFnVtt/qZBeX+pxa0ySBJOMeZhZ05r+GGojkw3Xw9IEqIASd/b9yaiVDgUZNxNEEp5ATIXINYpNQlXYc5u91fuDtb4jPfHX6PxEMzL0S3suEay0xXKaeIJ1jgoJfTh/UwvBbrNXromrP+AgoOFpyP1BGT/3JTwwpuz67phhOT5rY+l/qVEJcsqmi/Qpa1IqEg9sEI2f27HGrkK7oE8uxfdnKgCQ08wdt4y/wuGyNczZKP05QlHbzx44t1t/tex8KAAjH2YUvUy7QespwDfGdaF5SefxkEBjcGRh8nmVm8Q7xQ6bJLAi7ceizFDnHySqAmRF+UzaCcl3w/cYW1Gp3X4mC1ZlT2Mhr+BHnGEiaFQOmP14+zLEqlpRUzBu4+EAzbJrG/t9ak5ebMpE3f8DJDcIb1wPwYNRCqVgNofP3TfrbXfop0ekZ5xh38LSU6lnEoV9RcZo+6Bfruf0d6ks67Za8uWgvHx4PNFR8baaouqhSbBRAd9GeTma8SNo0ZNVZeMe+Gd0kKX4L0ghN+yJOGVYka/sYTq+sbmDnk8Fn0E+1ZpLEn0cLEVaMG7OavuDa5H5wqZ+LT9yoCTKeTTdX3e83oMhSCo1i/RCe2lCfaSirKRHzbIefAfeldULDIUYZWp3UuEKpD7Ob8C0OfyhZFCP8CRf8VQMlJNR2JcX51iKZqsMwDy5/L6uyC9OHBKaGeDn0hHxa3MF9yp4kD6JkJ0kSnxzJVkaZ1SpKikLwthlswORTZmhEIMFV7V4AgymH1mJGN6BsYC5lLoEpdwRGf/cPLXgycZ+ZzS013Yk6jiACA7W8pbITpz/BGOaz0h5Lm7Yzpn8ajGWtMIPnJKr8h07ECdsFpibvtKmRsJD5NmvW4V5u8fwQd/YCxGfaDJhkQZbqfjOEaxOq6ZGvFyxwrSg8lL8K91n7fiK300V0mD7TYoDmO6Y1GD8NeHXiSJviQMC12xyaQgWjwRXCuhael4jjd7QXVLQECTd5b9GQMnLXtNjb4iOddNuTvvM2gZJjtMQova9yYXAX9QmXJz2Eai6RRbF3akfkMOZBhpbR6QiuTn4Rub6cceX+wGQrPCZcaOztB+k0mhUmlPayZE3H9bgU0jJOutSuS+UWXv7/8ovrY8xTbz4kQSdt3kxzIrWIUD6armq6ilXtPpRzNLISKgpZsSijqxnUDxfXjF+4ImzaFRoSgBRbNe/YzTOz904v8MD4Agi35i8bzqnQiMKM4wFGNLrn0RQkmdTTCy20SoPTikkM4g+k2aJLygy1cFOfYJ4IczQugo5AihHYq/JCgEWbNx9DCka5mr2y+ruyAXel5diRHxvEUAtigdprpvU6L4RRh0eZMHxOc6hdMa/+jTTH3XOHneIXiCclFsgLHbSsJJEc5rY7RXWNz0NTgOnTcFu3+vUIdEMchfr+YcdI4bIdILLcFy/63Cx1zwyKjHMIswOYGZ3+DegGE3D5aOTHxPUiAYf5/nXCEZaVJtjg142I6obYkjUtwPeBixlQ96JHsepQjNIfg6776dD9XCoWgzndKzMpTLvnQAD/TYhQaiiDBt65el23AOW9uRdJplf1ioi0hnb7j+stQmDgMiDtw/nOfyTm5ZjyBxHpfiENMzXeN5riqdoYpleTPNoZwIlqQ/ZzQt2zgm7acS+Jjb/ziddeqMLGKj56n83xVTlGKWVImaul9gVNZvw+Zhw8gIlqQ/ZzQt2zgm7acS+JjYRqLpFFsXdqR+Qw5kGGltHch3v33/GwqMgrElI67kLHudZN1S8ImNTcZhHUpGrEfqBWH2TAY2pY9wQ6jWpCgxIdk2L7ReerNdDRb1zVPAqgk9gKWL9wjfuhNB7ipJ3O4MvfX2qT4sLymBnEsp7KrFBcCmVN3P1/ziJSYMUHYQNTG3cbEOD2hynkT/K2DlJrRjFnZsRLh3WBhBtf7xOtDSSg3S1sSXe1gOWMCKEc7W5KFezIKKs82hK6jSyn+B9VPYdn0iCNgDZf71BChWoIUaX1zrKdLsbZ290PNAS00aUb74odwki/ZhVCkSmdT/PG+jmmXck9pXaV6xAei/Y4JuUupYoLrHNLqg+G7HFo0RbvA0RW4ufI2EZYeXSCAo3OhWV+jFZWKne7P4oKsBagQL/ImmkuGWE9ePnRlJv3HVP7CTlhWghyRN0Dgyf9yeDvU6wDZKQRXk1lCqIqXpXxDhBtl5/HSzxRltmhpw2xlko/YC0A/ku5/HgTjp7oXvSq+ngJrT6rRypERQu/+LyXVq4nLrPhy9QsF+qmg/f9j22wsBrxIvMlHnLshrhhXJvUDJWHjg8iVLQMuWA2pXDHHLY6lfgHXoZGz0eDaUfjcfZQX+SVYoV1wtfObwHhgHwp4zHO4fenAEL4wA7H/L3c0s3nh2CKko7LaUXcNNYeftQ0U+Dw0DdyynnV9YpuQAA8KLZXfyFPd0Zj6DmuFo5nkzr9ZbxZX+jwdMlMNVpKXet/BRQItDn8oruTdZmelcQG/I8+Z4MZKLMiThMwezdJk6eTSuMFV9O9tS7qKX7d2t4en+5bGDosBgU11yga48H63L84hnPlCO9PbUrJ66DP/g5YLQxcH489SBftwjlwIYnBozZcWGFjJaidbTmD342RfVTiYAMoq9mCYFsrnDwDQTanLs9i7F/5zsGU+/huoKPiGTCxXGPsaNqPE1z/fCDGr7hwHLr/rXKaBD0l4238soQGT9Cq08UneOhoJpr9yaPQ10LpMyd279wMlIYM/muYBkUhpJ5BG/PZh9C14KWbzbs53WZLmbYFC6HS0ta8WzuPFhfY7tYvxY3aMBGtXws3yg8QDCeQyRp27B+MPacAqJHCiT/cXoztlpEyFarzfA6TuvfnD0JsNjxFIJW337mbp41/KA63QyPcItYAUY+awurk52TB3XVV2X0BjLE3af1xmC0MXB+PPUgX7cI5cCGJwZz2Nion3yON9yEAUchYSNkCdw7+nPcICm4ZN5f/suChJy7PYuxf+c7BlPv4bqCj4gLvmPikA0vdL4PTx2LtiMowcw9CvKH4Y1A+8I6Jaem+R/aF5n8X7zIEA57uofUHvlzF4gCNHLBvRhO0YOaDjUg6FksjBk4djZDYXeNIEPWtYkpTS7irUGQiO7kz17c7Kk4pw2dxGpCIYL6fOcZJJcg0QjXfqyxmnd4kK+hf06zx8SZ4Ul7a9u6DqaaRiVwMvbpEqfwyhpSqm3ELgOmL7M5YYTVkmsv1sZfAQBH2C1YXpIDKHfzTzkypKE+ao0kdi3mmXck9pXaV6xAei/Y4JuUe9CbP+Rm3vNFXFhpdV5nbhB4bxU5xFbxxTVmflX8VdDT0hkWyBO2+bYCRYpjbTODQsYHXNCwJQ6Xbx7JSLxoFzml7HGE0W7jSKtsK8LQGIQmQ3zaWhM5HSEkPiqKbrpVCpqCwDuqnZXqbPuv6KjfllwHzNo1JfwdmHtmqqM0Nyb73vXFn9RBBJ9G+xX543XeTSuMFV9O9tS7qKX7d2t4emoKs0SosJNIwmBZZlBmF5CDSPGP/jlp9Jjx+G2q2t6PAiWpD9nNC3bOCbtpxL4mNkcHE0y2zz+6OaPHXsFKYfDgi15SoY0SlqEnqJG3hzdaYLQxcH489SBftwjlwIYnBkVU8+hsyPNkwlRWv6y0xCB1lJYk0tjQSQk27++hcVF8b/Z3lg0+0G9Y+z2NWA2EWTLQDsaWiTZk5ejOp2ZKV8xHNLqMXeM/MtNQ5Hx1rr+pMLnU9fEIuHbM3HYii+mqHLH5gA6KCtC/2G0hr/tsdlaIevncyoyazBc2+uw9PTQUECRXSRtabKgY07hPK/LYGbCpppZHfEaNILWHwyPIr7131C/Tqu4LJR9kbmbH1gP0mgxDua7syPUvOqmDqtiB5rB5oegYghZRnusBxQXMC/+5wawH4nvuqdC64UFrhW449p+MEhdOXzn9sNvLupvs4f+SbbXuc8EavDxvefHQn4d+0eTrkQuguhrBbfRRiwLQJ3MqWV+CVEhx7sQ1NSCA89VwC1LtPfMz/zIUNdIO09e/TBSzh5wxLNmlmHbl/BXJOKcNncRqQiGC+nznGSSXIEFj5aCMzEJgt3rq48dKYGlcGhSpqrOjZ7DwCggOfBSpmw/ieUVzxqhPk/FK0tHFaQIlqQ/ZzQt2zgm7acS+Jjbqj+DON5jay+P5UNfDFoLNjkZvQrxkrBfa9TR68LjSnUYywFsv0aT2v3VScQeCBAgi4qZ0koMbJe3ZUwJKULa0WZj2pRCXmBoecLJ9ROfEKiKH8Ji9WkwKwxPtYhRy9YwRV2cBy2cHpGkL5KGBJb5CYZEGW6n4zhGsTqumRrxcsZO+zzyjqNh7JYosiLb7uXyMhnvVwNPHPLr1rCeP+vZ2EVdnActnB6RpC+ShgSW+QmGRBlup+M4RrE6rpka8XLGkYZR+E4dR5NG+pfJLQuj1e+yd4Bsq7WBC8ZY9Txd+3m/2d5YNPtBvWPs9jVgNhFkjGosx5EKpAqsnsRQnDaOGrCYfmqbiFOKdSqpadA7Kn6GQfvUxtZgcK55T0BOUUvqV+jFZWKne7P4oKsBagQL/ft05iajk0YWQHW2LJ5ZjukT4HKvYm2oSTyjkFyMV5dXkljZRuUX36roMYgRzKmvN6RKn8MoaUqptxC4Dpi+zORrExURwPODA1vSg9JDKnTC1DbhKnUNokZ4zK+LDAFwFU3NyPpN8uWKgdGRhOcJovOo177CE+GtVNtQduLx8h+aeBqMz3ntqGCeqYfIIpyyRRFERg+FIlLexp+DaGG8cwp4dgipKOy2lF3DTWHn7UNGwnMT4PTrfcQjeAXYqv6WY6wOfpZFnTwUhQ4bO6xQ4QaxbkMorx+R20OnqN9420wA2N2hTPuiYz6fDu/ho8kgStlRb+TyTk7swE5RUZBQyLDgMjgu14h38pY9QtQBZbUebJUwV3VgRR4cujq8SVMWmmyKZwBfrLGMZuHSlK2s1y7B5oegYghZRnusBxQXMC/88jujS6g2kyozfakthU4NMNWo25qu1XXkfNBYXVCW6b2C0MXB+PPUgX7cI5cCGJwY4RCGYSbuCCZKFlF0Y323Aw+F7lcfYWYlsN6/AXqdEVpgnnDBDpf0YMnlXFjc0sTtRo38cjhQXoqNx4RKFLKNj+tdOiaiAcTc4eYjHyjs+/5y7PYuxf+c7BlPv4bqCj4hkwsVxj7GjajxNc/3wgxq+fNKoIe8AD6TZajsBZBRTvfPmYWSCUWsi0csVcXS9MlqeHYIqSjstpRdw01h5+1DRYGddbSYREsgfKgl/TLVZ7nPUBp7zsihzn3nGkpiNVWfnWTdUvCJjU3GYR1KRqxH6oZ3r5Tu/cpQN9zEaSWUGWvNn1FwkDDdzdWXxf/X+zqz6DVwXp3soHHSTLkdPSXGyjPrARnWo7PJ25/oj/dz/WkIycQ4yDNfcUA/W8BreG9PrCPDcoQljUe0PbPeXMLFeb4kDAtdscmkIFo8EVwroWsHsJY3lW1nh/toNcxN0XqHQVdYRBi95qGw52ilN1J+qyGyG5b9BSsnWf3yzlNihtxk6GJoX8SF7arAC4CNrGXCtxaY5OcqTW5OEApbCjicclfoxWVip3uz+KCrAWoEC/yJppLhlhPXj50ZSb9x1T+y36VcPpG3qmHy0myPPlxlMPPOe9xWifXC8yw2LStdWJWGRBlup+M4RrE6rpka8XLE+4ev1GTepwFCY3QYG8qmiSKXoHyhJ54h8xX+TcIk6p7NvkTGmL+k50bIqg+al92fSOwURCowl8ceRviWqAvTMQWUx0ipir7JY7JSVa5mIu+blqBGUmiQXhmBBxyppPyBxhRQPqhhDrhuwoaa7VlSUJUZZabXzm7H8O+kOWakFPgIlqQ/ZzQt2zgm7acS+JjYVy+glqLuPxo4USBMZFrnWOGflVxcJZcY3EQH3w9ASr2C0MXB+PPUgX7cI5cCGJwaovOwzMEy/AlNQ+vuxdxCecl7u6oW79Y2YP4x630ShqxzCO4WpedgJYsXPavU7KZv3Tmiqu0Nj/zyTKl4hTZHKpEzbsZ+LYhJTC4Ilb5pldc8pRDopt/FqGnqvDuGc3pFzF4gCNHLBvRhO0YOaDjUghUNvyih4Q+1EYkua3O2do2wJ1EZa5LUSQXkW1vXKJm1viQMC12xyaQgWjwRXCuhaaj9PYDOdK4Vos6p5u4QOnirWoW0rVsxkJmf5XI6pixwWfmZiNriz0wxRIvRKtTkMUwtT5w1ciWaCbyJYQwqfeFHn5MPnF3O0oZwk4rRRIGxb5xA8y+M7Q1Z65+rVrAba6n/JUEU5l9/XI0TyznleC8tW1Lg1lrYg8lfcdLWX+wKo6Ei3R3O5w27x7pjNxCy0aixVVPOFzSmyscsKUugpgrrbFGPlIlAz7pvWFIcEe+voc1Q4CM2FwvDC2A4yJl4Hgawf8cZbsEqZy4sOOPup3u/dzWoTmZD2z01LqE5BCD4zH9Z5K+pu4PTo/aQAEmSwuITA4AEwJxspjf24ZfgQGrXlRay4tnU+0/oLrvORaUf9vNcYhgdGEsCivya5iMGnYLQxcH489SBftwjlwIYnBvpveLxgkmKokUog4NQGaD5gblRJthEsqfvllpdqqopN/en7ilcjVT601nQJxsKxkMkktK+88wVBNi6D25uad+qjeRwjQnYRsCXpIlTXpnjLJ4vDmIT/vXmkNTOphoJYRXXKSIXn7mLgAEqzSTOw/6dfxvWDLWtLgmrH3brFamFxqOhIt0dzucNu8e6YzcQstAu+Y+KQDS90vg9PHYu2Iyi+AGZlsMp2QEu+XS2hNMV1nGfF2wEGbrGt1D6/pb/lPGTCxXGPsaNqPE1z/fCDGr6pkjNLHFGVGGxT1hyru4i1RjLAWy/RpPa/dVJxB4IECCLipnSSgxsl7dlTAkpQtrSqhHkh3HsIxqzhHW/b8p9EXyu1w+X3E+9/RpTwsbOkYrNvkTGmL+k50bIqg+al92eBA0vUMec+MOt2WyBapTfsSn6Uy4IW7qYso4dEGV/2Q2C54Ek445ehTDzvAiBpMKsCQCI+wOzYXIzg2JDGYkqGz4x28bE/kr076ZWGW1rq/pX6MVlYqd7s/igqwFqBAv9+3TmJqOTRhZAdbYsnlmO6BBDizBlzMtFYgPtP2eqzS34cfSFzv0RVrgMRexPSu+4rxzHf3LrT1B9HgO1WanC3VMUFR1GmWBsy9KrlKHIg8V8cUef61lhxOnZ3bEhiL9BviQMC12xyaQgWjwRXCuhameAq4wjkTnL2cEAUKp5HcCXxAK6QCKXOLZ0f9B4U4lYdn0iCNgDZf71BChWoIUaXRuJ6sUBxox1kUJUWl30rCBlKeY2/n/wjip6kKROmySzmmXck9pXaV6xAei/Y4JuULgqxiIhA68mezblxx7QgftVsWKaEtyEFtUfJcDldmLPgJrT6rRypERQu/+LyXVq4m2IKL837RddicxCM5HeTcbkDY4nzPPIp9Ln272IIPPIRV2cBy2cHpGkL5KGBJb5CSzzWrUIttkSYMyvdaA8Zoj8jGUn3Phf8AuyUl7bWwpTJ+8hMg8TxAaxuAvpRN/dzGfRfpy+0quxR9rh7fVM9w9RQI15LtO0mYq0jNC6YX7OToRh3/5QTyUtVq+Gywwus6RKn8MoaUqptxC4Dpi+zOc/o140mE2CFBffCQc0AP5tX8RsXS3cp+xRFr4B5P9Xd5pl3JPaV2lesQHov2OCblA7D4jRATBsDnLQAKjVyJiksHAMJCvGui1rIkEOJCpGU4Ca0+q0cqREULv/i8l1auO7yIj3eLYYo1ApbQFZN7ZTdnKO3jkURJFfZRvCjU4biEVdnActnB6RpC+ShgSW+QmGRBlup+M4RrE6rpka8XLHMy8c2rTYTMwEkOWYsBhQL/5Jtte5zwRq8PG958dCfh37R5OuRC6C6GsFt9FGLAtBs0Ve1AbRmkNKmvlfAfUhX/5Jtte5zwRq8PG958dCfh37R5OuRC6C6GsFt9FGLAtBYm4/FJ0M+S4RI7mlS/NhKImMabZym+18bT9ojbGqyT8WdmxEuHdYGEG1/vE60NJIFV+is4kvkctcdGBCdYIRvmxGbxcOjrTWhmOxepmhOqgIlqQ/ZzQt2zgm7acS+JjYkTaCL696qko3piPv6PbjA7w5ekO85aJSAY8TGxhBajWC0MXB+PPUgX7cI5cCGJwZNd0GKfaatq5A47Do/B11JiHFNVWTu/74ES0cYgeXk25X6MVlYqd7s/igqwFqBAv8iaaS4ZYT14+dGUm/cdU/sE4reJ/12Pb+2xRjwV1YJipy7PYuxf+c7BlPv4bqCj4hkwsVxj7GjajxNc/3wgxq+Ng6GXV0lwuxrwUjNM1dQv0Ej7A81VC2LVB9/VagXFUZdC6TMndu/cDJSGDP5rmAZvb0OnI2BdteBO4l9p28u1uFLN/mKcmE7FE3TzVT3D0F202WF95jwz0wTd7CkpTDCONtCANJ1oyWbpjncxe4N6kWOthT0jFRf2c7OgRoNI8NgLhTewIaZfSiXvJXpET/Dp+/2Rh0oyCIb6Mf1DzpnGTgXpdV97lVSWS070GxCpMjfM09U1I4fQVNhiPXMYGK/aJaEnMIs/Y/cUi3HFhVNM1xx2RSKOZShPAQFn5XeTOn/km217nPBGrw8b3nx0J+HftHk65ELoLoawW30UYsC0B5aHgQhqNFS1zuWZz5TZodQj+Ioilud9NDh9J0R9HYzs2+RMaYv6TnRsiqD5qX3Z2/5EWxgUfViWwC69DpVQLgqgzN+WetnHTC/DoHNoOx/9ZbxZX+jwdMlMNVpKXet/NuTxmNU50a5HkXDLRzOP1idAxbgEkuxzr2q4Hornj/on6abYIgRYKwE95hwEpmCmNN7FF2OL7GYGoxzY/UJiemfLu1eGFvvb6Xd2g0xTdMk4Ca0+q0cqREULv/i8l1auDTZX38zpUvSh40HIalB9wPJnW1zy6ZQ+HHEAXuqsmjAnLs9i7F/5zsGU+/huoKPiGTCxXGPsaNqPE1z/fCDGr7t6gnd0nfVqe3zayZb6B+HTr6BXIbPdb/CN6WQ5AkLAcWdmxEuHdYGEG1/vE60NJJgp0s8Dz91zoRMdrNGcdTtwOPZ+SjCJi//cKL8bBWYHOkSp/DKGlKqbcQuA6YvszmKP97fa2mm4Dp+mGtVui7dqt23wnTBTwruLBtSrjo+nOdZN1S8ImNTcZhHUpGrEfqoPfqlgcQlqfR+ovBXNHcnzbgr+KC6OlhhqrrRkgG1K98zT1TUjh9BU2GI9cxgYr+TYfW7usQRII1fjYqJ66qs13D5tmhjWEQ2KzpQZcQm6hFXZwHLZwekaQvkoYElvkIrxzHf3LrT1B9HgO1WanC3WsAH/Rj9dHWvpwuy5W06N5fLjyNpDvEPeQ0SgUuW+egzMGxBQ4d3BrtNBUJQXuJAXjQJwNEt1fxq6+S0egulHbtCeWF6D/g1OSzUNCaFovqV+jFZWKne7P4oKsBagQL/ft05iajk0YWQHW2LJ5Zjuktnmt9b9P/3TUlQN4FACs1VL1WwQuiesoUKvX7tc6HeXQukzJ3bv3AyUhgz+a5gGcIYKjccltebxUCQ1wXNFH5zi5owu4I0Rl48WO5KH2w1OKcNncRqQiGC+nznGSSXIMIqRhuaOZIwtcuZ78O3MC787AmWwtUhcUH+GKKyPPxu6RKn8MoaUqptxC4Dpi+zOZ+0Cw0YVJbW0CRCFGTrhAn/6qnEft78Sf/OG9HDUxah55DFVZwnvK4SSl39JveXH7R0954vou0PP1TXBRTOs5mA9oP9eOozxDtSolt0v5eSEVdnActnB6RpC+ShgSW+QmGRBlup+M4RrE6rpka8XLG1bY73bqlMMqapIebIj9it1515YUiMavu9I/cmsGB0tJMwsCahM0kS2dsBsHD/6m6Wk28p/XuNLQmhyI/+ekPC04zoLrUtZN4LKbPvChONpsWdmxEuHdYGEG1/vE60NJJq0gSUycy4ASIYAJAbAlMxzLP3ATWkDANnQtGufx1x4OkSp/DKGlKqbcQuA6YvszlFaqgZmb4BdxmAeLaOVr9ykm7cOfYOMwiGSfKrY0RngpX6MVlYqd7s/igqwFqBAv+YVI/wy0oEO8w1VKYCz/vmi6XhV8t9s7t/pbMnqtlWX/+SbbXuc8EavDxvefHQn4c+8sW2AZpdynvDks04zEP0iV+J1fvDmyaWjRMFVwkMI+OkvEjssQw3TceGtyCRWlSeHYIqSjstpRdw01h5+1DR8CADNv/iXVKh1uIN+qlUVKWoNsP78/GSWcTx4yy11Oa4hMDgATAnGymN/bhl+BAaDDHytP49X+inSvwF2XNBlUxTXoP22YOQqX4ZiT0dZzTm5agRlJokF4ZgQccqaT8g7UR+JdXJ8YZaWvzb2T0YBroctziu6TYylLzH8KDaSsj4JEOofL0vlQRBTHCgrIQK+/Uvc99g8737Xg/NCWe/67Rd9HerT0/1a0REQxfrG3EOeJzK1K49eQPae5EPEc1BcjDmrNS5QcvsjZWfhWMyRAVI7YMGTr9zaTaAF2guM6+F3kEwl4YD8TLKtaehxKo7wAHAEY/R4Dvp1c68KVml1Yexsiu35vCZV/Bw66v1tHCeNv664p6JhqRQl8Jddt9SsjKH2CGYuw/tU6D36LFU6wFN3XqpAdQGj8Sv19CAQP3L+nqQH7hQbt7yl/2gSR42OKcNncRqQiGC+nznGSSXIIQnp7bIaF/uPezA2DGhqVZ6KQAT4Htt6aQWuHMEsBoi6RKn8MoaUqptxC4Dpi+zOVO2rGO9JhnIs8ePBfy/ArhRvdjrMh3/+h9LAmMJbgyfAiWpD9nNC3bOCbtpxL4mNup35TBc/VYT1/bCXVJPU5gzEorwdXz93Bt3rxWm1mqMYLQxcH489SBftwjlwIYnBjhEIZhJu4IJkoWUXRjfbcB/UzVCpH5IS3xpq/tRH8QzXEztWN9ILLYdqbclVNbzc0wRVVolLGcdEikAQUR8gQ7/jyPn5BhKLUmbUP53P3aERI4KgLTgcXOZim16IaFuqPWW8WV/o8HTJTDVaSl3rfz7Xg1J+Yz4xIr3P4bb3MuG99C4/8Lczl3vX8K4G8a7kOaZdyT2ldpXrEB6L9jgm5R2f7dmkrYiYL63+Zy8OGHcLKYDNiZ+bfqvMCDrzqrJHOGC0GW5RM/9+hvxvZHtlpKn9OkhhmMLVbmDoxUvE5elExSp8PCJUoyAHRU+P1ovDW/2d5YNPtBvWPs9jVgNhFky0A7Glok2ZOXozqdmSlfMGvaZCrqhFfPLz6bCpt/WKtscO7ayipglxugGsVvV0xLJJLSvvPMFQTYug9ubmnfqxpFPDxt/HwIoFAzWQfLoUrzM82ctmveyCU0i0roYBRPpEqfwyhpSqm3ELgOmL7M54EcW53H+SpOdOUrK8bUyCE7lnpzdjMcUFQsErWabLqTnkMVVnCe8rhJKXf0m95cfCSxDZWd7cxiNNaY/bfd3M1+TK/O1rwQ9geUiYXZYMaP/km217nPBGrw8b3nx0J+HftHk65ELoLoawW30UYsC0FdsY2VKEFVO/dTOqw0/xdkzekQca3mShP6/vlp6B0rFnh2CKko7LaUXcNNYeftQ0bQ37Qj2zE8JOuglE1QaMQvB81sAFXS88wEKH6qcZU8FxZ2bES4d1gYQbX+8TrQ0ktIbPlSqSPtv+QCzrvA8lsXwvLbOwJ7efvWYFBttL1blAiWpD9nNC3bOCbtpxL4mNrzqMjFiMcTqAop0L6JEz06mvsjhGWRdSLPvwCgOzXkWrejgBdEpUf8e8lfaxcJ0c7RanQdnDQZ9JE9Jspz2t+peR0MmEKyaVN67WdAmAcBJYLQxcH489SBftwjlwIYnBmklgxPhKnfTjCt7T0SclKzpTor8ihe+rapWY0hkU9vM4Ca0+q0cqREULv/i8l1auBU2S/tj5mO7QCj+NZ6ntpVfhw1AYE+YqEfa/m3kqVCG3zNPVNSOH0FTYYj1zGBiv5Nh9bu6xBEgjV+NionrqqxRj3wBUqPhgRlNq+Lz7UYc/5Jtte5zwRq8PG958dCfh37R5OuRC6C6GsFt9FGLAtBdzlDiJRJbGyzNZPoQXG94LfaAULFuobC0DhVq8mZE/Z4dgipKOy2lF3DTWHn7UNEAnjSMrrlGfJh5yHPi+kazjhjocrXEYpoIQ4Is5nWIE54dgipKOy2lF3DTWHn7UNFQbrpFrAqu8H9EQAbmYr8LLxyHGbQYzk/AJjezOFJgmG+JAwLXbHJpCBaPBFcK6Fr2b6zPbzM3F9ccpBTW/eBPlAg+dqtxB8+7vm2D0JpEM5J0XAgty0wffOP9v73m7aO8Q/XMO9ddN39QnoB/UBW9Ku85n4nGEQzPx9FPNO4Z8luuciaJOI759f3BmWlNQsIaxMVEcDzgwNb0oPSQyp0wPds370eqc3+qK9iJB8FifOAmtPqtHKkRFC7/4vJdWriQ9kT1Lw0NYneV5CoxfQF7MuFuBCrTWZ/N/Mdmdn25eOVK7KVMVGkyvmcGP7/SQVZ6likqeMkn9l7EP3C5YUAklGVmKqrO+Czl+4O0+sfzQ2Ccq6i8PsEo9/AfSKih1xv8/wXpWplKE3ccu/KRiAxNSJnOeRIO32pxku7J2rI65XxLCsVXZ6SGaxGN+GzwSYrmZDGZw/wTXHteOb9cDmG4G7HnbPt/2iia4zSx1P/eGZVgU0CNo0gHdI7hGKt85g/q7UGQsk25jQWxIXWP89h2Oa2msvYeIiyoAq6Cwqe5hK+HmhRPzYG2vWSXktJb4TIIuklG+7R1V3vAfmsIuMjghkUqlOXnvS7OhJNCm7vFfhYT7X1H4n9OdMa9d1jWh5sYbNJ32j2OwnqOmaSoMUdVz2jRI1Yyp+XZWm2zzfCciUFAOqw0a/JF1fFQhU9F060zhE7SIg2myWJL2gVnjHUX8NuqfHTDlY1SLCBW4Ko1CQytMiV6RabbZto9YeRkBYwVHkbjl8905mTSpcOmrYX/jSPBHyihcIp63x1dJC1Tu8b4nCSo71GEYP/NrvbgSzrBeqvDkDMJQLbSD9KRA89MBpdyF2q8XHllhjwkeqNwb+JrO/GxBnsIAtZkQok3IsgpHoESqFdsIFYB6zBdTwa2+NPGYXyaeVU9ogCLNVwq6sjx3UAXZc+O2X4NRrq1cME6bQ1khPB5c2EPvS81qzkz4Ca0+q0cqREULv/i8l1auCKfWH+hHOupNUsBsK9H1JiopE6BqAfNipyZTofgzs5GlfoxWVip3uz+KCrAWoEC/1q0h3jbsa7ckTSuJ7+KaADKVHLRYYjs1mNHp7pKK8mg/en7ilcjVT601nQJxsKxkMkktK+88wVBNi6D25uad+pmLndEBt7wXApi8dqq6IB8ntHQfuoB9m7DBPevljQZe4GocXWy/aBbFtHObAURcvE1UxZjSmmj3gbFN5xlJRpP/Y9hDa9QhBuxKNtrvd1hwppp0eP/RNPQUcnxVivmLZarog72PlXWOeqrmbWW1clYCJrOv676XPD2irP0KZciAk8Dt4lOaHeCOn6QeeGB27lf2/r56+UA0oFanzpqIqykZkHO4KHPYeiHJ9OpgoqffdscO7ayipglxugGsVvV0xLFOsM36eljwdhM6deUFvPt1z1nS1o/yES0csGXDRxe1SqKDmisLpgPbVZFT24c+p7aDvsXTwn1UTQO18f5hqknQNSeFJo7m+SC2hf9+ngKWfwekN+vXVrIiqPOE5VgM0QdNaHu7yIy3Sft7vM/Xk8fRbnsCUbzVfYyhXKQMMtO7NkXuxBw8lGUjQ/fev4k1lLgJrT6rRypERQu/+LyXVq4lmDSrEmM+pnmlGhB2rvaL48fMMgxs7LXzayCm4K6sDD2pcXBFB2NvXAqqDTjavODjuosiJIT+yWSk9MBwjxlwKi65zIzCmtz/AfbD9K5+zzDz8lAIpIs0s+psUdk6GFC4WH/YiNwLIbt3UJGisF1FCzN9ZbfLDs1DxifBN7fXDnURooL+OlSzbMQFF/1N6rhb4kDAtdscmkIFo8EVwroWkB9dtnWjLgkjMvjXiZiLDOA5v8v+PfX0JJBsRTeZzAb/l1Iu0yad9V8XlxZTYfNUfr9R9j4GW2jbnK//tELE4WrYwZxbj+btaoLpjzNDz1+51k3VLwiY1NxmEdSkasR+hzzHwhL9f6XLywemzu+gvIhF9V2jrFxsruRmk81akhKnLs9i7F/5zsGU+/huoKPiGTCxXGPsaNqPE1z/fCDGr5jA9QtRgmxmSQwrXycGbW/Rq+MdXK6iMfxoDkXBi19Rp4dgipKOy2lF3DTWHn7UNHg7TVkB8kUprF0R9LdMzzutw6/LIt+d26Jvfe3X70bR8WdmxEuHdYGEG1/vE60NJJ3pf0QQfQsk5+Um4WCh8YKSVSeAoxWItBXtZyAMObhh7iEwOABMCcbKY39uGX4EBr6O2b3aqAMiEnsUnRcXcnPpBRGVuu6FzErch9UT5yJG+aZdyT2ldpXrEB6L9jgm5QfGT1Kbg1ccPUv1CET1yUyHjayCmM5aln8K3bNXVpO7WC0MXB+PPUgX7cI5cCGJwaBwnDnlsBpWrBFyyYACptmAzUm54lXCA7z5APQbU/yUt8zT1TUjh9BU2GI9cxgYr+TYfW7usQRII1fjYqJ66qs1ZM8woj+BZDVFVvZfi8kQxkwQrouxqk+mxn902b7hENdC6TMndu/cDJSGDP5rmAZ5/UDar0J0MbUWMKAKX8hs9lVSvEP1rOx3T1H75PURKTmmXck9pXaV6xAei/Y4JuUiY82EQVQ2kqR8DrN4hQRUwQDJ7MhRahH84Rd75CRtVrPKUQ6Kbfxahp6rw7hnN6RcxeIAjRywb0YTtGDmg41IBBMlurskcAkNoV+qyZdusRYMlVqIObwAB7IdynxsGkj/EbUjqH5rAvretftN5MdfpwFwHEuSRXvMck/1wpgJBjpNkC/ci6m7/+60CyPTiHlLKh15Y/6D9M3LjftgPWFEg7Js33/PoJKeXcmdW2SwuThsZ5kbDs+Ql6WQ3gPRZ0IxU4N+74z81kt3NAoAg0tMc/o140mE2CFBffCQc0AP5ufb3FG+v4hgWJsZmktJIGsAiWpD9nNC3bOCbtpxL4mNtJRNpBaytq17+KNEssCaGN17MIFUgKuFnub3201LO0Q1iFA+mq5quopV7T6UczSyIJCxLeASG2to+C74Yce/GE5AyJJ4MzD4JO+4CsEU2H0b/Z3lg0+0G9Y+z2NWA2EWTLQDsaWiTZk5ejOp2ZKV8xSWtz1tVrRdYAnrews2Ad0w8/JQCKSLNLPqbFHZOhhQg6JAIxjNnXGGrKqQW4ni1Vx4GEvwOfagjLRhy4mloofUxo10vTNgr7Cpsxs9uc3kMKZZoe1veBlYObpQmNazykX3UqmsbypZLa9rmVFOReIx0JaMwv9GCELKz9lOlf5WX7R5OuRC6C6GsFt9FGLAtBRdWfHBV6HqGbMiwll0v5DiQt6y/PCWoIHk90YEq27FAj5TQyigoOHlHQIgpE896zR+Os5JvG9qvHgxI0Ljvuu+xnl0eIL145YlHUze9l+3wTsp21BvmMsL7eMKd+C/ds9pPAvwDV67imhsICFC87l+GTXPXnRiuOxPX9HZa6VzOkSp/DKGlKqbcQuA6YvszlnEoV9RcZo+6Bfruf0d6ks1fkFfN9aln30soHn2nK+59PSGRbIE7b5tgJFimNtM4NCxgdc0LAlDpdvHslIvGgXLmqKteqYP5ouEVZj746kl+aZdyT2ldpXrEB6L9jgm5S8i7cVewLsSv2FG0q89KSVka01W/xIym7BvFbSrfl5F4b/VWcSw11jEjM/WGrq7kvKFk1VfbuoLJsm11a0XYBBOMWZfyaa4IfZzGqrmwLzkekSp/DKGlKqbcQuA6YvsznXPEm3amW5q34cgSgwaKrlQ+3Xs0j00TT+qAvSGYWeb5X6MVlYqd7s/igqwFqBAv+KwjcZiWIaBW3Z/OQe1vuKOTLyYsoFqdvwe+6hY00WAekjL3Ev+flJqk/TQFdc5SbW+tZ97kIviPiwCFGa0Ct1T6isvMaTz5RnDCVXRFkNWgn3E0LdG2uE8fMWHq37eLYH9Df572vmzlnMku5RjFyWQV7UYv4jdgS5yKuIZqW+7mValLhikozAgJ/n+7U7HEHActGIe2tdCqPRwPnyk3IXGHnjNvVGVj4VLtgQDWaK1oPhcFpbKzhCwqjOVzf2ch4i4qZ0koMbJe3ZUwJKULa0OJ7f3mB1YTybG6LTm7bCQjMNhIwc2oeCmh0Dld7q/1PFnZsRLh3WBhBtf7xOtDSSycOB1EerLKwMhfuQndue/NUAjFs18j9WlIIEX2mJigNbrnImiTiO+fX9wZlpTULCtFr1Gdwtp5B0oo1GSWXk6qxgAQgP0ZRJ3OeJ7nc8dQ9DKONk0Xdj/auhSezUdEjiXlsywiMy4Vq8IO1aYU4w7dOStM/xfIqHIGujAJUQ5OrhhfbSF1wnqqXu2zFCiIzJEGYM8UaTmvLH/KtooIRXGLNvkTGmL+k50bIqg+al92cpPW7nDvQtUFK+z2BlN+CnukVutpv5CjlQBnmPFAe+bL7IWyrKB0wL3Pg4NNd1aS8VKIWWFh2xL1vOSzNktRBfougzBoghIz64HR8ItW9Mu4LFcPwXTL8S/ZFmZ4sIKwycE+CMViQfqnTncq1NrKBBrK6aC9Zk5EzpfFrxmBXv0GC0MXB+PPUgX7cI5cCGJwa6zYZlS5Y9asiH/n4o2VsvQo2ub1s5iAP6hIZjPmAVixD7L4DChKBPoSc/WSwkL4CDQqfTKWfdguoq2+aqWFeP8I4jQ2ZbxkBV5OQywnaZT25Ixj7naS1eXIJ5h4j8pLtlELZEbqO4tNBLBptzCJ/YaJ0zibRNicNtwHrhiLQ3EHoaEsYRb3CBASuICz5iKrDmmXck9pXaV6xAei/Y4JuUEM0TGxY0jT1NokqGtBhNk9SANnLs7u0eTwswwS2iCwrgJrT6rRypERQu/+LyXVq4A1ltKTJGl2qtiKjjsAfaWBAzlVLH9jTjYejc73+sNGJ+HH0hc79EVa4DEXsT0rvuPS9b4ZlmtFIpl1DzZKh2y+f2Ifcn1MDW9XSrD99V5shPEUGHXbyK99WnOqX6lpu8FSrDnDDtbmCOxlpRAdx4AfNKh0dXiayLcOdyFfB0VArvGjc+ydNCvjz7p69UJVMnlcOKYfVRZf0U5fRgE35sh04jzPzUMtXUhwLHGU8BL8DRytLY3Rl/qGF8plxonUnKHZ9IgjYA2X+9QQoVqCFGl0kIO0k3K4xWRCa95rKLtr+ATj/+Gm5qPzwA0UGJjz4xOKcNncRqQiGC+nznGSSXILa0jH9Wk4+6behAsq1wsWrhe01uDmF+nhq5b+xOIqqh55DFVZwnvK4SSl39JveXHy3fBP5QLMIAy2bGIORe02an5uQqPRHUhHZ/HN2sKyM14YLQZblEz/36G/G9ke2Wkq5seEyzYivovOWpEtbNCHstWhoyZs5xB31vRxJZx8k+nLs9i7F/5zsGU+/huoKPiGTCxXGPsaNqPE1z/fCDGr6P76dMH28l0QVfQpl8BYvdEVdnActnB6RpC+ShgSW+QmGRBlup+M4RrE6rpka8XLGJQCkdXqgTEB2V32unh9OkRq+MdXK6iMfxoDkXBi19Rp4dgipKOy2lF3DTWHn7UNGpEr9hFFkjLzF8kPwfvCFGYhqKecSFkAwDk3L0TH75GsWdmxEuHdYGEG1/vE60NJKo87Wj4Yjyp6zLIbTBz+icaLLbBWmyX+Y2sR7WmjDw2h2fSII2ANl/vUEKFaghRpctlDsL2EobHOch13isGY7iLySbpvAu0+0snm72/ZMU7gIlqQ/ZzQt2zgm7acS+JjZbnCLqCkkNx2xNEg3YYXW7A9NO5HrdejcKOQmitKiuUOkSp/DKGlKqbcQuA6Yvszm0WvUZ3C2nkHSijUZJZeTqy32imhPpC40vOTBY2XK4E9PSGRbIE7b5tgJFimNtM4NCxgdc0LAlDpdvHslIvGgXFt3GcGyKEBVXqU82ELypxuaZdyT2ldpXrEB6L9jgm5S+0SBQXduso3Xp2oQxN3UCSyjDQS3yoz9wmUJYXNw7QW/2d5YNPtBvWPs9jVgNhFkjGosx5EKpAqsnsRQnDaOG8ph41i0J8ybCYRwSBrqLdm/2d5YNPtBvWPs9jVgNhFky0A7Glok2ZOXozqdmSlfMYSOZnWwS5LjKaJRZ/p4fpuqdcjlvRbu08NHt2M5P46aweaHoGIIWUZ7rAcUFzAv/4JIYDz6IHWDMSyafaaATO+hA/MdkZ/yI7KazmepZPEDgJrT6rRypERQu/+LyXVq41F873TPim/yUXQRE8rh/4P6/mUB0aItW72uGPPwSzjdv9neWDT7Qb1j7PY1YDYRZIxqLMeRCqQKrJ7EUJw2jhvvpBWPCryUmnGO5BLMG1713oZQfmUTaFfNKj5ZdCZancxeIAjRywb0YTtGDmg41INXgY7G/r5nSup53njFaBhyXqiOs0kY6DgeUe+mgxSR2n6abYIgRYKwE95hwEpmCmIhsEi4ya/mTm+PjhxXqewHzRANT9EAjGKrxQs4TTbFfoTOZJ2l+N160dzGRBOni3NKCa6aGOe7UWT4I4oON6gSKDaYAHyQz4DHIsXRW0ijo0MpmVZOgyD/OOCrrPC9Hk+93bboIzsN8Y5I3rMLgKv2gvq+Z4OQr6aRm0q0mNVpV8JS6RLiuf7ZqWtT/ocUnBoemkxBOXNSCscjD1xNg0C9nGnvY/lQ1dIUsM+VIRQG5ddXB4M7fZmfhLPFx+8zrmppIS7sSTgt+r8SY/3DUqk6sQUSGOmo3JC0k3UZe2tB1nh2CKko7LaUXcNNYeftQ0aD+Kl5bwiZjIIsB7wL5U8z8TOp6tHEhu7EtqEKFlF6bKoMqWZloYBe0kaX+nMAQ1+J0e2MmUi2C1oAn92b9Xpy9kA0/B0GJ93sojv/ZVFc7lDhHw6w/XfbmXpfCi/R2Qic+j/T94IS3oywO2L84hpgnSCR6V9W8r6QKRMDVqEoXpgFdYSpz2IDe3ANAh2DKdM9V9psjjWVcRpGaXW4fdcwuFfYiUr4wjNGOnZx732x9IC10Y/YmSzveKD5yPr9jWAILBN/9fC4vHecNr9u8AJU/k+QSJfr4j2jv/YxXsBPu4Ca0+q0cqREULv/i8l1auIlcjor7VWuK4wDty/h+ijZcPS7kJBkWg+3ivMdg3+q855DFVZwnvK4SSl39JveXH1thluSw0+l9JKty876o/7naYWfpEyM5QB9/0xGRQtj54YLQZblEz/36G/G9ke2WkiJGJMSm6/5lJEXvea5UuMPErcUMUWok0bEKWNUUIX8ZWvkuattwY1rfYw/VI/OgR9TO0tDdm2oCV2aJyhYRVNgWTC8Mf5NnSHb8q7iDvsLvzylEOim38Woaeq8O4ZzekZkzfGQ0oXxNdBKfpL5DrhZqEjnfNDZgQYxg/dcRO+1nacXPqQYODYRqauM4WIo8cublqBGUmiQXhmBBxyppPyAlen0KGan3e8OXH8vjpt6oEr1DK+BOyPo/LY0cH8oW+BTOauWXAUTE3w2TcN5oeXBomieZ9TQHTucMnXS8LSymkzjWPaTzfwMvGyujfyaNMaEcQRYu0WIvueD2v6+u3u9FG8kRfTIrB8MXx9EKmt0EINX50geFxDjK9y6P1Do5sCZDfNpaEzkdISQ+KopuulXD4MBvh1am6pKhOfWz4mz6T0M7BvxgxmxFO//ePgurgZ+1BvDjENvv14lpu/EhlMqGHlARQWgPKSRYwNVXR3aARmzW4vO8qzdgumrSb83ETcKZZoe1veBlYObpQmNazymDvk2gjNzJqBQSc73iHb0yubFHiBO1TgHxcFRdwJP9wiLipnSSgxsl7dlTAkpQtrQdg6z/PYfTqYiYTozRpuREVRkc4URKyKVnRSJtXbuCtGNo9Q4u6oPrTXiqKAema4UgGcWXnXhCT2pgLodbrjOV7UWu4PxfqddkvX8OEe6oYx8XXJaFMqj100uOyeW6nuadlqLBR1ta7QHCRm1HIYLZbWedSml80PdMtGwuydZDlQKkzjun6g/ZXrxpLlqzZNvloPDh5FnS3n1FBFoCC7Rm0YUXLb0C5Yj1fvUY6crJJvPSgYW4DQXufoySjkZoRXIwl59BDplbkKyunaXg+Ra54Qgsg7aH9ger08zPzm72uE+NLywsA1CisKA1kYE6I/6eHYIqSjstpRdw01h5+1DRdUUZU85bcBhXXl2tW6JAzh3pcpbHunRgOnNTazT2QzxjaPUOLuqD6014qigHpmuF24SArHphs+lrscsqzumgOkt31SghNdGswD9314FFU+ZviQMC12xyaQgWjwRXCuhanO8bxCnIZc54wUcg0IQOEO6iw0z7xKfKCZjHDIF3LIs4pw2dxGpCIYL6fOcZJJcgkBN53gz7NPclnysSx5RjLx8aEfnw+UNzYBXXnlC9jvVZxaH0uB9TkMKTLD79uTSzGPG6iiGIrwlKXi/77msZpEtAZw5g48Hvk3BrLTfL0qcoEY3L25noaKqUEC+hQgkWp7LN9VbJNjO7oUUC15QBMKEUeDJD3PaxJXekLaTjcKvDm6aTJ5isP6SVVQWfebPCnh2CKko7LaUXcNNYeftQ0YIhh8Z7J00PxXLyJFY8ROdLChQa83c9b+09qmTrO9xixZ2bES4d1gYQbX+8TrQ0kgixCMZ2BrZPdlKpA1RxHati3TQ3QUqV/aZwHUVfbkk5OKcNncRqQiGC+nznGSSXILRMQC+CAoKjTu8DGZ8owA2Qw4XevgDcj8Ylgigw2WENYLQxcH489SBftwjlwIYnBsR1KgGVd/PirFfUWIvvZG7c9cw35efbh2dtX7AIRtu3nLs9i7F/5zsGU+/huoKPiLlnf1Y0usYQzdKI6Yi0aS48rtuwrOma0e4rZZn2WhUDzylEOim38Woaeq8O4ZzekZK93QLCEFTWbU4fi1ZgY3g4jl1Sb8lCyKQ6kRcvTdgjiSFab6C8LQbKbI4EpswtLWGRBlup+M4RrE6rpka8XLFDJfJ4SCbzu2QMoTv848tV12iXy9TGIxEmZg+LCo/qyLogFnO7z1lLBaIgBD1W6dbirZC4IPPfLrPA/9BAlUnR8WB+0a7LzEbdg9iDqh8yIuHVuZdfCr0FLP32IHFFfQyk9iEqZQ2vfiOvZw8aQOtJBSGS0ugpqN9qGnOU3BVHPMhhkJa+IkssF8McaROnGL17ZHxze1eLROoDQrcBCx4QtOrqqtOukqPIoSPWXH79xSuZ1aQYliTKArkRQl4ykcrnSyjf0xds+LWBhx9lWKKJCwtNKfirrml7X2Gp4tHqlgEa4hJAIbyDOrOCdSjCAGAdn0iCNgDZf71BChWoIUaXnu2iDw+fBLCN6+lLMTWrXImooX69Hr03+4IeI0V6lGGBckUeNmUoII4p99PR6tvJbkNCUP4nY+64A/OMHE/p949iQz+9XfX/yKWtx29S2KOVw4ph9VFl/RTl9GATfmyHijGOXFCAwcz8N25ixMeEm1jTF5axnymmGG3gSD3t1W3mmXck9pXaV6xAei/Y4JuU3B5EJKQQzGic15ql1DmRlKQz3M2LybLnZdtynmexXGNv9neWDT7Qb1j7PY1YDYRZMtAOxpaJNmTl6M6nZkpXzBmPT6ZkR8GSYR5HbqhBqIMRV2cBy2cHpGkL5KGBJb5CYZEGW6n4zhGsTqumRrxcse5NnXTzIsvYoj4X9hX3M8owXKBqHCjpCHaualvnoDRL38fuXYE213c4cIMTOUBhtny6lmx+KYRQveE3r3+tkGnPKUQ6Kbfxahp6rw7hnN6RcxeIAjRywb0YTtGDmg41IJTG3Uh6WrsKq/wnmTKWNjQczTEPreBmg5PntQ2Ce/Ip8A1CXAD3w9CRXuFzEadNhKFXqIlXwV3h9Dg+PvjW1WwZ+FxWY9J6o+ThdhLTzhaZyDK9CRXt1ClLHgHB69OMhNJNsUD1xhFleFqgS0m2x+Alu1OFXekxBhjhPlnaxv/35pl3JPaV2lesQHov2OCblH8bf9Us2asR+XVvP2aJ7jGGXugS7g/97d2e7pmUJLISb/Z3lg0+0G9Y+z2NWA2EWSMaizHkQqkCqyexFCcNo4Z8n8O1xwHUlQZy2DQbcSMrQcS7Wxx8VDPng2tfpeEeHrUuutD72oFI6YI5WW2Uonnz8aaDrg39sIScTdmPtlTd7OWRFaPcm7GKhXP63pIt/KmQeUSaOF0JUq9mGpcY2dstlDsL2EobHOch13isGY7iNXcQxt8vT7aLbpVcdBi1CuaZdyT2ldpXrEB6L9jgm5TUQz+wTu7Ztz0oxidriA76R6iwORkMEjkWM6fyG84rUOAmtPqtHKkRFC7/4vJdWrjUXzvdM+Kb/JRdBETyuH/g3yhj004LYXxY4nRz9lEWeMdUapplWg1u7DcDpYtCUMaT0Y5QOShj9QmaPHn7Jo0Cph3TLLF6hy+0O/nakMhywG/2d5YNPtBvWPs9jVgNhFmwd2iH35e6hzQvcyb8eSXXCqI3+M8RFZMtDVwW4//cImTA7U+bJxq6qjqZ29OW0WIp+e7XSQ7CxjpF5vYwSCsJTTrqNxD4KQXFksjE1XloShiRe5ZnyYuDJQ2jFQhP0+lbrnImiTiO+fX9wZlpTULCupaLDrkmo/4VKxYJPArPuWmfO4ZMJM25+loTSNUqPYzhgtBluUTP/fob8b2R7ZaSshy31ZuluHvXC7YMVDrsDSHuuJa8U/BZ2eX8hpqdErlv9neWDT7Qb1j7PY1YDYRZMtAOxpaJNmTl6M6nZkpXzD+dK/69Dg9p5IAtZHMbb9aaxtzND8bEbZ1e88LCtm91KoMqWZloYBe0kaX+nMAQ14fzTBmBoXfGSNvJfHeea1TTzSHySOcOgt/7ZFGPVgy769+cPQmw2PEUglbffuZunkJZcBj6UDP3I3uSVpXR+lHSvEbyrAYoCdWrq8W5SdJR8y88Tyv1FHjU3Mo5RsbdD5wFwHEuSRXvMck/1wpgJBgOENj+xN1SNogoy2Nmx6wJ5uWoEZSaJBeGYEHHKmk/IIzcGhlnaM+doUS96XwLsFyBw0E5L+BKkFzkQOKVrcZMHZ9IgjYA2X+9QQoVqCFGl4ymrPo5nJhxmTs1z871c7hPE9KIbC8qh7XtO/RZKZng2xw7trKKmCXG6AaxW9XTEuNuwXWfUQQzcRdVGUMZxtjIAYpYpd7axN+7JU7ov7FSEVdnActnB6RpC+ShgSW+QivHMd/cutPUH0eA7VZqcLe//d2vNS2jWoa0RguS9wixb/Z3lg0+0G9Y+z2NWA2EWSMaizHkQqkCqyexFCcNo4bfi7mwZ8jMZKiVHcaAt1Q7KOnibqKC/8dFLB5xT+AhRGGRBlup+M4RrE6rpka8XLEmfe+GwQkV0f0UU+J7A3efN/oihANKfisG/jcwQV+jup4dgipKOy2lF3DTWHn7UNHxTL1mMg5kH06RXN2q6f0tzylEOim38Woaeq8O4ZzekZkzfGQ0oXxNdBKfpL5DrhZa5jak8r/Tntyms0SorpaoR267JMINaT1Jh+twvSX6+B2fSII2ANl/vUEKFaghRpe0eUGGud/4Ay8fl2LJ/MNwXSW3O3Oc9S4k2ogOCj5lDh2DMaB1RbhuF3+zu9Frnhd25cbtZvp/WR7F5PMGz89mYU5IhRetx/DWnzavOfQK1+aZdyT2ldpXrEB6L9jgm5TaEjWdabVvTjc0LL3EQZTRLafQfugzqeyJ4Tzdpqk9pZX6MVlYqd7s/igqwFqBAv8iaaS4ZYT14+dGUm/cdU/sfmGVeFOcZcg3H4bqP3MOWBFXZwHLZwekaQvkoYElvkIrxzHf3LrT1B9HgO1WanC3fWAay+izsuQQyUlbzRAZyo4Mv+AoCHsmQToIStAs8iLActGIe2tdCqPRwPnyk3IXhGW/Q2ll2IeeayHe5RCm60GTAaOHPtD13TsQk1NFQCKwfYfaQjuohbJtr7NyKstL53Cykr7LkOZaGem+Q6EGtx12wSh2WmRMZE2PtmNvNZgi4qZ0koMbJe3ZUwJKULa0wWm9O5uvn3wuSuCt3GLJfUil6B8oSeeIfMV/k3CJOqdviQMC12xyaQgWjwRXCuhaArGmXA1QT2GtO3g8uiKgYR4Dc1kZb/njdjxv3xqZuJYzrxW+BukU4ygKU0Bc+MdYu8mQa0tCsDgoSaFbL4+PvffNOWqiuXRMYhK2qJ34qG8+8sW2AZpdynvDks04zEP0H2cugu2Yz/86nOMOCfepoxja1Rh7hgy5FbL6gCIKQLdviQMC12xyaQgWjwRXCuhafRXteiSYfAwuqR032VxSm5AhMZkeZQKsnPnV3ha4PB66IBZzu89ZSwWiIAQ9VunWDxxii8pTs/qDzBDAOx7qH2Wyxv9BUvIy+HAXmDb3x+Mdn0iCNgDZf71BChWoIUaXpycD2KqKYHdNJ4ay69qAhodbYE46gy4J9CHqo7x8DnwCJakP2c0Lds4Ju2nEviY2fDMQd6MJv0kEUXuAll0Di8SH1oKDmgovNTSWmRk3NnURV2cBy2cHpGkL5KGBJb5CYZEGW6n4zhGsTqumRrxcsR2E1Hu9vyLufM5ukYLrsCbDm6aTJ5isP6SVVQWfebPCfHu8A2Kcc6D/OkWKsGkwxbnrF8g3pxEcHzsZrWkWv/gr2Rt+Ty0fKWvT6BGlwn0VYLQxcH489SBftwjlwIYnBulFsvHBUW4fzmhzLgmjt4QqKFS3rm+vu39O7JHzNkjIlfoxWVip3uz+KCrAWoEC/yJppLhlhPXj50ZSb9x1T+weRnOO70Byhz3ODaXE2OvwRjLAWy/RpPa/dVJxB4IECCLipnSSgxsl7dlTAkpQtrSmXcoCWeBArVfSckgXtGq+xIdMhpxOw5yhh1ms8vT++7ogFnO7z1lLBaIgBD1W6dbDwOgNKm1ciE/fGNc628ezgQBtpf+AfaX3JLRBreR35zinDZ3EakIhgvp85xkklyAv6r3RheefRxDcxejmbnUmBTuN1qp+YHWQfdvRgk6bW+kSp/DKGlKqbcQuA6YvszmYURxrKec5C3ebTBakj52q73jDxAk6P3PcH+15eh4PZGC0MXB+PPUgX7cI5cCGJwYRDlqf2UKLpACLZ6lOSVC+nDQ1FH2gIWiQ+RVbXoGVk2/2d5YNPtBvWPs9jVgNhFkjGosx5EKpAqsnsRQnDaOGYx5+RXGazsCyhYCV1O4uSFBief9nN5WRVAZu4j5u/3ZyRa0LcLGMTtHaentd4f7rY1MEed9oM1WBuExgEs7pZHtqveriVtpknwCIGxA1Gl4IHcmXnR10zQ5SLBVSCqCluzYwvCE5fRjzfw2YCsOcrVc3AVnAuwhT+yt9CUa85EP8HE+h7HUPRcBnYODR8LZZuXG35sKcg6JnIU3qm9KLvFeaHqg2/x9EofsW2VdMY93nWTdUvCJjU3GYR1KRqxH6AyWDw4BOmOn7JnfOls85uwSjBZBDUSCCUqNavHudhz3Ek3nTfHV61A4Wv0MLRuTFs6ZDwTZPjnzdz/kVMzB1utaFdHdzX24ag9FGakl8W9Jv9neWDT7Qb1j7PY1YDYRZMwTai9xC6mbKJ6IEOtqeE9xLUGTTKxnhL5427p7uJiBv9neWDT7Qb1j7PY1YDYRZMtAOxpaJNmTl6M6nZkpXzCXefi60BAHN/Qe+aB5dXV2cuz2LsX/nOwZT7+G6go+IZMLFcY+xo2o8TXP98IMavnBDh0lt4+7GJT13MqJqjsPi+wKuUXXRL6WWYX7zp6npQT7VmksSfRwsRVowbs5q++zuSWUs4zK/agY7pPCDcZ5uxpeYmH73WWy/LRL4qxpAb/Z3lg0+0G9Y+z2NWA2EWTLQDsaWiTZk5ejOp2ZKV8zkB2pacyWOX0LV6/DzjN31EVdnActnB6RpC+ShgSW+QivHMd/cutPUH0eA7VZqcLdC+a4g5vl+rbJA7GKISqjlhprXMGhsWB3O5MtzA8FQKnzxDsSaieiQnjaaOSRCVFHwEMBpCK5mG4pz+IZiI92qC9rL90PM3flhm5bVdDnKoaFBJwLhXZliIXuLKu0v552rEN6W68BLEqCeKqYxuAU9xedEatcE84Oa5hJc/9WsgukSp/DKGlKqbcQuA6YvsznRkRldLNfpyVjkXnW8DRY3sZDSCSGxQFN9rLLY6Z0kmOaZdyT2ldpXrEB6L9jgm5QNYJ70eMMJ55UQRU/2EPZpSoxrBcwvW6DOslrLgZJOqiOGyHSCy3Bcv+twsdc8Mir9ajX9N7HlPgfv8PieQ5CaIKC7WV+r5Wr9XK2LDjTgMZ7R0H7qAfZuwwT3r5Y0GXv2ndkXKMpvUS8vICGd8NPe7npKCrMvtoKN/0WwarvzfRR0egr2Ijus9jfp83quB5npLJuURs3yvS/rljD7ryV6R0mYRdtrPWWrtH+kIdDfDdxjtgYL5Onzmn/26m8HqGftqhZpGTeJwtqAOmXYwrJr5bQ/jJczTGLlmi1SByxwu0hszwEbQ/TFdrIYwYD2chCh/GBQSw4hx9lDrxkoYFXYPGDAFdbiihLbXT26TDW9jy+jUQ80/4YXRmRpHXZE0pLg8v3Tf/+hmUDxL3SJVE7FCJMAtCaZuOMQ9WbecOLzy7Zzt81eXL5trE/2y01zOG/H+C0wmyZAnwltfuYMp7hU1iFA+mq5quopV7T6UczSyFwZMjDD/RYb7MKfnsVn0A0IQLG7myALTDXzynF9buBGofxgUEsOIcfZQ68ZKGBV2O6rXCEtqbR+se067fDQw/S64TQCAZyxEWxvxU29rGPIMLnU9fEIuHbM3HYii+mqHE0BwNKGnA0RYqmyCe7tMz8DyBsPUW5dMrctlmyJVqkdDiGFGRHdOc8SdFRxtAXykZAU9/fvNxZh3NWwtKI2fjkr5+J0L2WZKFRlX6vsBWj/3Kwi0BFslctoEKojvYIdgOAKfb+GvMT3GYLIB/mnEX+/Qm4pue/fOD2VIaYgqRr/6Md7MTBgG3D5ifS8J6odvaH8YFBLDiHH2UOvGShgVdhwTkAxKAcY1xwX2KQcYSt2DmKhUqfh3mDZbMxvX/3CuGsgIBaWQfhzr+aqKqEVXvNKEaghCKBuk7LN8LnIyduzXrVWEEWqac1J8YOTY7NvinclYGyYI7McrniKzzW+DJK/4yaFBjLCLxPC6CAua0w6MUePmi7S2uMMX0KRr0x9G1bUQRueowAE+iG7g1d+Q08IHcmXnR10zQ5SLBVSCqClAz/YGYO7JFuw17TU0tJVgVraqDnn+Jd5E4CW/R9C3XQCJakP2c0Lds4Ju2nEviY2GcyyITVLJPR4gzCQfs95CcysV4RRBp7o7x2GrPsOqOuweaHoGIIWUZ7rAcUFzAv/Godt9o9lLyFguZ25DDmzDMTI7FNNlk4+SPiGrHylr5ngJrT6rRypERQu/+LyXVq4JeQvfh1GfdKPBjo/sqj+HGEeyQB5xw9xAYzNPDgEsDMkcusgMP0hak8qyTL1aaO+hUyyL2mp19Zs4U5q/ETHlWJx97e91soqUv8c4+DAA8yhOUtxXPgdvvkgKCfIom8ujmSRQzFpHUlok4bUauSVuq73ZZ/pvi6TuiwvxpzEDVdfI6nN95+FgLMOxd2rDmqtylp8Tdrti1izqBS2/0kSOiRRQy6eVIo8y9MKREo5tON5fwdTknIkhAKX4yPSCr4eJHLrIDD9IWpPKsky9Wmjvqy6etSveZWYvmTwzp1jrpPsHfl5WmrJOF3QaVIT/+TdiQqeGhD5EU3b2mFjQPrehrRuXWWebeyEX4IkO6ZQMBc0s8ICXMQL240llrYKxtzQL3dJo4egkf0ObIMohLcNYngkHZHt/FO+8j1G6bi/l5ETXS7BKcSlCVh+Dl+KL5KXCXnNsmZ4kmK3a5RFyqmrbVDMr9wP1Wnb9+/bo+QtillwLsyhN4PeiV7BzKML6z4YDzF3Kxiy5kc2k7h8ptDF8HBd6wZrlthu0ShqTxxmof7tsYzP9Ms9JMXB8bjhNQwAVtA1YjSNcC8uoY5BB60LWfy6uaJ5lWeum3OIYiUEa2fVeiXxLaTYnQ82xfB+OrkY8EJXU47Tlv7S9it02nnzpr2V3ptWjcS5WXPdmwp8DSkVmfAI54u6C3NyeSJ0m7k4BetHi3ikcXZQEXiwO0n2TL45lkyBizyj+QTe1pLgmr8QKnwRtlu3VbzfLlgzjhInPjR8x0OWdfl3puV/KHKJDG2rWdwLb+hNGIvkkaE4SwKOzAboRhJakfAc5xndwFrRlyWay8w3+ht/SBjIrGpMQHAxidwS7Eo90Q70oUUxDsBN7u/KOAsbbTBZ4168zHZblm5uaY67b9LJ5upheMXW3n5b50BLE2kDQnvOyiww63+uoS+tj2S3wExbo+GXWPlrYJyrqLw+wSj38B9IqKHXGx9vXnRxtUL7TTsYJ6psmw0mRWKyOGC/5JlgyJVcS/DGQIxZKfcC91wnKPjQ6EiaOZclmsvMN/obf0gYyKxqTEBPY7amjvvJJ5JZheaUc9P3UengqndMusaR02dSjAqCFxniknvBqEOjc9XJ8J/4uq9svhW416e8STi1mbiLA9vLB6F2yM+vYV1c5czvzUxdNQ== | 1.0 | EwP0fwADbOXJqgF71IgyOY2Gns6iIOy2x+q4JuYk/FwpKI5/MuNEbkj7HgkBw0V0wfq5oHK3xeYkPmOTKV1RFSSkt0G1q/jJ+t1ID5sIyLfzifNmFe3CO+1Ow1F0oJxM7Qk1wE93tAPOLbPxWWsdAN/8ZnVK7o11HUHS5n0/X2s= - TtbDKf9/fB+m3MQyk0R8yFocOUNA/jfqwCAtXdebk4/xyGTqUWN54H8SvjBMhQvNy6kk2aKkCN+ZjYQ9CziNlebmXyJ0JBrulT0XXfLzbD79vu7N6z9qN+YGPl06SAdkX7uRzZngoQTWopN04XF1v9FDLY1NB45NrDBAIpXhxYW2mLcattbo0Js4BpuWMdra1koy0EitGcCQTdf7RuKzKtnSnM4bnDy3SMPjfgE7JFC4gJxlvyZCAN+YtJsj5XH1wf9+0YtI4N5tZ1046WvCu3pFg++q1RtlmhkZfIoqVhKspYdVyv+8s1sJQxbfvDBZFwVCFdCOpEp8bT9oUfA46mcNQPL5bYn0qGsOP3Av9OLjQ9e8RGJYS1PCrprGSLgSLsRJz9RMx1E8mJlnTpuF7dwR3RJ+RqH14XZrGGrIVkAaNRBAuTWPl1BpaFMzzEoDQT7VmksSfRwsRVowbs5q+w467YIdeunGmiBkH4Pn79ofhcXElxGVarVH60qEX8c0/NT9pMGLHPCcjhGhjh2VP4Ivim9XoampyFxrm7GGBBByuS9aG99lyN1jpxD1sjOX5SxWI9REOm1IOzvI97jWwSLipnSSgxsl7dlTAkpQtrQckZYowTPINdwtXCh3SPB1TRVkNe0j2jT3idiBOw7lqpX6MVlYqd7s/igqwFqBAv9t8iPShdpxMPrhSaloZ1ore8nwY1G9tqa3EDQ18zhbPhFXZwHLZwekaQvkoYElvkIrxzHf3LrT1B9HgO1WanC37DnODivxPMERFyT/Vr+8M8c7h96cAQvjADsf8vdzSzddC6TMndu/cDJSGDP5rmAZeg3vvleaxVmPyGG4MEmObN2OfhZnvdXIhNeW+DmDrdIVKsOcMO1uYI7GWlEB3HgBjWER9lcMHn9/oZqQVapKpUCIKy6yQYdZGw331/qd+i6ge8oOX9fN5H3yJrm8w1+WpJ6RVIsZUbYMQqiC1IdwD3D/22HtEpzVUScv1uXdWZnbHDu2soqYJcboBrFb1dMScR6tpSFusORSCKTvty0mCow6ffjl1ClTogwL/xijkdr+LWRbvqiFNGbIAJGMKRS7JkN82loTOR0hJD4qim66VanYfkzj7+gYxQrRE0w3voo7V0i+d9Gm8w2m8XE/fprpb/Z3lg0+0G9Y+z2NWA2EWYHDOrFryAJLFF/CUJRBxEWD21fDovmQEK9JIx02DkTIQcSkfv8Z6IoWTNFpO+39H5iw3MrcUzKHQSenkarv70jLzIWG/7jMaSavuahThvb4tOg+h3ec7hrdsojvhEA4NeblqBGUmiQXhmBBxyppPyAeZjW0xAYKnZslpLWZhPsMoGtYDrXDGyMY+JJYytk5rLJ9nGtFt28DPMcZk02ZWCyge8oOX9fN5H3yJrm8w1+W72fXI+0VrOXCGBnH2BqDyxtPtT3CPArPO102ABlirpjDwWvSAHQ3boS89pkA2S1ImbNXNvy2ryjWK9ygU6BJN6ISs/ytUiqIkQUWarYTIdLDz8lAIpIs0s+psUdk6GFCDokAjGM2dcYasqpBbieLVaaLqs6sbH+ddAd+T2y9cvvPKUQ6Kbfxahp6rw7hnN6RmTN8ZDShfE10Ep+kvkOuFnUPrnP2ZoTODp1MgDW0sE47WPP2IyiOLGotIHBD64SueadwHVhSHqurNRME/GzTL8mOpaLvA+K/m6CkrWiqAelVw7yWMlJWY5xbPUAVDAwtW65yJok4jvn1/cGZaU1CwrNKXd1hGZ/VZ2dvJsMellvlSYTeF+4OJLURZ7mVThT96yKmS11KuUD/KjIz+EKt99Cr8IUwrzVcBkzej2nKEQfDW1C0Jg/bq5zT/bc8FmXH2xw7trKKmCXG6AaxW9XTEh8SszFZh5sAbCL9GL+J/L2c2s/PqEOVNFNI4qUN6hfx+DM/xOcfWVrj6J4+3cf03RtBO+jsPk+PJnNVp/bW234+6Xygnxpx/WArkkFBGbZDhBhf95feKQJvcFo8eY3P/pX6MVlYqd7s/igqwFqBAv+KwjcZiWIaBW3Z/OQe1vuKWL1AUg34CBmYfPNIYizTShFXZwHLZwekaQvkoYElvkIrxzHf3LrT1B9HgO1WanC3Gvs1w9MZAzQSxSoGwWvzdS32gFCxbqGwtA4VavJmRP3qfkHDMwtGhKiFBXI69VoTkLGOy60flPRABnQH8OCcUYgQEhQ3QCQgZvbbHbW6RVUqgypZmWhgF7SRpf6cwBDXQ/8IlioBSR7m/YCa29d52yqm5KN95uVFPf2d2kLfvt8FABfztJd4s9LEvaCEOpGldnA6eAkWNuurr7d93AeHgwPqV1wEj2FHvrX8jmh8j2pqvAM5HcpTS1X0Zyqs+edzE2Qvsg72Y9KES9rgmjMtnwpjgzq8Zjmp8zQ5cKnYCCPDz8lAIpIs0s+psUdk6GFCDokAjGM2dcYasqpBbieLVS7XxkDzD5/Gn7LZwY0VHu+plpZZULy7BTClpOMfzakds2+RMaYv6TnRsiqD5qX3ZxkL6Foya4odBu1SE0SCD3YPC8McLabjgfrGIpLo9t+h69+cPQmw2PEUglbffuZunnfxPvjuRalWTypOOfItj6z4XjF9aUAvis9KvBMb2MtdpDv3SlqslhQUYmCIeNHwLi9EtJWr9S4aplTCqvdXJClP1OzzYUP+MAg4vohIGQzRL/u+lDUTeG1KZo5O7J6rS3nrMErHrEXQusfEYMddGvlecR9QiKdMfvnZfBiQbMajV6nG2eSO8zp9dH7/nqzZZfGbtd4x05QEk+Lz2fjfYqw2tALJramxtRmYyWj2bNenwrMv+HCp1hpIpkRvU7b7Ip1SWk+Stxy4GIl7VQ9m4kAPvsVgCgClPaz+c1g4O+mn80xRC8tICU8mgzCI9YzT8Tf66mSTxZsN/gGhMJ6kY9wKr9vkadekV0Aa38fkK+5x3VQWO5+TxDgF2RSWcFRK2jTC2HestsbwEsHr5uDjXFjxiEI38w33WUq6r+S6c+Y8lwHMpxXCA6WWxDc0vi44lMKzL/hwqdYaSKZEb1O2+yJDXQD7LgA/SdU1DzZVIHZ3ShB3Rhp9zI90N+6Ct5AEWkbeDHIjwB2YFW9v7dUilMN7O8WPoMBnpay90d/XKhH3faCw92/TSxO29YJwk7VZ1F+zVSfregiogl+ZEm2+5ZfsI01pARSxJY0GsCOqe4AHQPPkHkG+b1mJFtrbtNGch+XGqp+2WFFkl8NtroZg4JsKpyN4O6EYP7X/lmy9IAK2xfyfljxKfJExxefOj5jEzDSf+v9JRi8Tnd/KkT9S45AQBm4nX0pY1aAo0zKIWn3azDQMFdVSrMuJzh2/q2CZl5KEw2eyxdYy0mb8sfURgXmzV1JcDcDZwvCp5ho351sCQPPkHkG+b1mJFtrbtNGch+XGqp+2WFFkl8NtroZg4Jucu2jsot0hmAQoK8xyTRJP5ZUGjmBA0z8BmjOK+MvGNsrY2JtCI1fVf2+C6B9REncQBm4nX0pY1aAo0zKIWn3azDQMFdVSrMuJzh2/q2CZl+/p0Atp6Lu1BbZ2ZvwQI1tFVJ53SyDYXi0ygzM/49QGa6iG2KzZeINWpkOKqEN7CXnrMErHrEXQusfEYMddGvlecR9QiKdMfvnZfBiQbMajPleoTQUDUgnihEauv0hSknh8iCrbQHL4EJq92pK0QYK98bSbJlWgmAu1xrEs5upm6RM5UEvRL+uQCFzoKqsATgfXsaiLSJUXpzA2PK3iqx0q3hlpNSof5iVPhmV8kg4GF5VN7JGRNc1JO9PFvRxiaNMU9HW4k/T8EnTh7A8dnrXy/4Lg+QEWq+8P81Mv5KDKpEwvFqovLWJ57GuP+Ep5E5bkeZTlEg/og5L0JUs+Qa1A8+QeQb5vWYkW2tu00ZyH5caqn7ZYUWSXw22uhmDgm9f1Sphts0LajcDAZzj86FiB2dSiFpiI3LNSgyU+3foi9loXNi3lcfUBojg/E88IdXnrMErHrEXQusfEYMddGvlecR9QiKdMfvnZfBiQbMajlEjCqLtXIxUHcnzfCepUrbBcTqbWPeWfoFMb3CwpiCXsnAMLyv2QAeubXZJRnZhXTWqN4W6WxVeZMPbeNDoT2ANrpPFi3RqdnXTpygQyvpdGQMbg37AGFPyJDcD6h673uT8aFzQaa04wKIkrt6AhceLfDmjfZw4SnXyuUlzS3Lmn3Ag34HYeH9pHEjwW+hpU/PdsriDSFuUIqGWKByRheUoK6H+gL3gDf+ys3eTgRNTg3APSGaAoQ6O1q4qBLFso3uOldWRTlmeVDCKM0QEVka/fzQyLX+KSabpamR0ivNDHWZf6fA6x4R/vUFau11oVf8AUyC6q3a+S6JIFKWvHsTf66mSTxZsN/gGhMJ6kY9wKr9vkadekV0Aa38fkK+5xiR4WS44JdBl3/k4g701TxcBFzQxCylbfZTIxigbVAYUWTnESvKTrO8q6aDNYyzlq3uOldWRTlmeVDCKM0QEVkWB7QubEg6Ht0GVgIYMOOslaYQbQoqLTESFC0R+6c+m9+Hmux4mu5sDW0mAGiDQzPAxeaHRGHPGbFEGohoD+sIqnyjbfn1yqHnEI1De0yHnnqFGr5moSbUkTOzDZvNnPAoaZ9woeY6dfD0AIhg0vwsvsnAMLyv2QAeubXZJRnZhXTWqN4W6WxVeZMPbeNDoT2Ka4/josF+seTrKVJgGCOITb/4wAgmFf/60vnbwoxdOcvRmpE6crbyxh34qEmeqIcs8pRDopt/FqGnqvDuGc3pGZM3xkNKF8TXQSn6S+Q64W3R3wi44CyfPgFwJra8ocQx3WMiDHfJFpga0kgvqtEhnm5agRlJokF4ZgQccqaT8gkJwSPJ43K0ThbKZYRB8uiXI2xLHhph1+ADZHh5QXlRzw2yEGaNz0z2pi0m5tD9sbIfeGgeekVL8IInyA+ujwkVN4i1cRODEaDBkafLCX1e4YRTczMLwUJfCGCP7gQM+2/ONijtSZodIJg0yL/Op9ENWs3/WTXLheEmZdlbmDFGE3+iKEA0p+Kwb+NzBBX6O6XQukzJ3bv3AyUhgz+a5gGUXzH7l7p1Rmoz3Wq9Hn7XtOvSdev+CoRnufHv6Zn0fKoBJKlN6vaEwlf06GTHdaQPgR+aYiot+Y/GEpXWhOn8HR0sc6usLz1dBikU7AI05YYLQxcH489SBftwjlwIYnBv2DXDA/bQadMZcZSVTQXY6JP/pX5hRN/PsFVgUK4HW4o/20YesqzoLGbUoGgeC8NGC0MXB+PPUgX7cI5cCGJwZXluopXNTuDT/Kd6Gw9kgRtW4x1+rD+TGPoomq+p8iCdscO7ayipglxugGsVvV0xJxHq2lIW6w5FIIpO+3LSYKur25YmN/Rynjpkf5Apwc50YywFsv0aT2v3VScQeCBAgi4qZ0koMbJe3ZUwJKULa0wx8Vsof/rV0EU6MtOXRDV4tZLuiv5Mhv083VhOtq0otdC6TMndu/cDJSGDP5rmAZWOvSaVQS0qGpuvFD/quXSal9JcyE47828UCIMXY1IiHvi4HV/MbDVAztA7rB47nBFg+IHzEXxJeFhVueKXH8SE2aClFSFsJbsKLG2P/j6ykrxzHf3LrT1B9HgO1WanC3XKgW4GCAznNswV1LHSU9h08WBRTqZtaTLPuNkhCTYThFBqb9TTtoEomgsrR8qvHHvPdlYmfQqOybQ1WiXcGfv7owFLZW76OglyntOzlIAMIhQknltL+smG3HWaCGRdNWf08vUX9/MSVi7s9xPPebyY0hjtbE6GffbdmHoSolHRhuH2GN++CWkTLXwk2oSkJrgEmh8gQwmdQJKxDCEC0LFpUjjP24k0W5a6JT6haA2vbPKUQ6Kbfxahp6rw7hnN6RmTN8ZDShfE10Ep+kvkOuFqGOw+qEbI/mnsV6vAiQ1nh+HH0hc79EVa4DEXsT0rvuK8cx39y609QfR4DtVmpwt0FniiMkq61ROMw798DUlQAHxX5D26MygUomkeFXwA1cYUVC0QEM1precH+kPySMbnoLIJ7RbX1+eKQ0qfL2pa0Bv7co+PXDaoDDfPjJHo4Jhpimkw+oUQEGgZAVSV4IF4MDxjG2uvQzzQLY2sSV8CaHzTegA21SIAE451VwgNTMNScOiSEarIvi4K5tg7B+SZICcrnlwbR7LrPJ7uV3ort+8wQDlYlK3IFTKKhrMflgSH5MO21Ehcu3XNoivxAAEMjpjd0wd6WKQXpWmJfbu0Ew6qD8u+BtN80alnTh2ZAg7kahK4XnS9Cn90W9k8cqppTJsbRO1WyAOROkVWJCwy/LLD/iiH6IwZ4q3VvlDtzQGm+QwuK6kRbFDPJyOddoP2Zoir6s2oZwFspYP2tB3W+eLlMAsY5iCe466/ahIBk86bduy6X5zY1zT3OXJhj/nNKEKkhEjTcx9EU5Ovw3jCcw1ZL60X7Wc3vQnzrSTUub5MLoh3e8jHYm+SDDWXiF+zJpcCklhrPpWXeBgMsAe/MlYLfyp2oKbbqY1D5w0Ovk2NI+NWAc6HeFx610rgxJfnztApcdHp0mqWc7BmT7qrwyRXvkRxTBkDZTeC4nUKpa8FLpvRgBDQBpY1/99AXsSowv/j1NmwfbLoBw2XATdg8cYQ86vITG4O078kydgxT9GN2r+6ZKb5VI9VwnhgErUJ0HrrI8VANyyZt/wmueBRfShCpIRI03MfRFOTr8N4wnwF40igMbY7M+1+R/2cKMZOWxOOffqT9ZDEys+ZYH9GgZM5f+3Kq4XTLjCsJHRObgSfNen268kaykdwerbFddC5SXenBnPsEr6iZwJb2m3ffWhKjF/j7fvjfwOsPi1JxQYUVC0QEM1precH+kPySMbgP5I4WPbMXnOp8++o5hyyW2slASu3uJSHFfm719fpWMpDz3/ZchPD2EsS80d5WSHBFhccNS5dvOikwxQsyHldN8F91kmNw1hQmtutB9pI1L0oQqSESNNzH0RTk6/DeMJ/cr+f1TOJz9zPONceGSuyezVx1IfZ9e2w5gv9kDEJFWMmlwKSWGs+lZd4GAywB783Um6rq3mO8Us2pVsEjzFdE/E/CfUWfE/hzSsaE/IqGExhZ1GLUoOdRMqHGrQ/OwzmIe10dWTQb2pkbmGy4/exs71dgR9P/kn/Jih95CEVrMw9FGsuq94As3OtfNKL0nnGdmmJg0bmkvhwv34KRMPeihR1SVAjsfByWLDFf+Vlo7k0mil51qLSoXeypw2FjjodKEKkhEjTcx9EU5Ovw3jCeo/6V0a00lCNics0rfxCAum3yegJ08DuV6XmJnogTwOzJpcCklhrPpWXeBgMsAe/NnugAtZ4MB8tkmt6cfrRn/U7piUu9S03wqdpuQ2V4RkkleTRFhLqdIJd8Q2COc/eYUg+2OpF1dAdfhpsNs+8tvMRzamPQEk7HjBjuvvEQr62g1bzPO2Enfe9wzW73TLXSVw4ph9VFl/RTl9GATfmyHF6ae37AJQi2bUmQKEdbffvAGNihxEA3AZGUdBnzzYbZ62i/Ozq6B4TjY74oFOLG2ff49/Y8wFG/5I9UPwlNJ8e5nEOuCuhEhZeJ6nBNma2OYCmODLwdyn81rP9zek+vywb5QO/wA93NilpFXY1+2SssEn66gUlQ6f3xIjDA91yx5GJYfmXvkncL6NZgISmrIg2jfOsO5Mqi1jcxm0nUWxqJe/co1R5e0AKSgjlg5x3fgJrT6rRypERQu/+LyXVq41F873TPim/yUXQRE8rh/4L14Cl9R9kyRm6W8zzO5amPfM09U1I4fQVNhiPXMYGK/CN9WYnoBcOa2df8Daajik2jsRBwrbySRu7Sq7FBiLvvZ3tmCfpqwHRqRx64R1lk1jDuvrCEhwDUMboa3N4J4kinB7NmFTWxa7m8kvQQM/5iJRs14a3YEtGxr1osqVek9aBYR1c4+WaSnLKjOYi806rwhn1N4YdyYWF18XX/JuURU0TqhZTtvlxRXVPYhRnVw1QgNd5o/E7QQHPiE/OeGpnDKlYQ9Rp05lNo/PpBkneTHB5V+ZxuzRZLFPVAyCi0Wb/Z3lg0+0G9Y+z2NWA2EWSMaizHkQqkCqyexFCcNo4aNpQsVu9SYtDMUmuHo8vOXS+QP4Fq/+Y2kxxBGpPc92DgifqtceOPjpqMydKbr5Ki8qyAvAGGElikJywOXXvw34SaT+8fCDuER6rzl+OwZ7JxnxdsBBm6xrdQ+v6W/5TwLvmPikA0vdL4PTx2LtiMoY6rXX8uzs6VRuv5i0Qdjeo4vLXvfzeFgiiYOdkWKkjucuz2LsX/nOwZT7+G6go+IRQam/U07aBKJoLK0fKrxx8D62gPSkPlUb6/38Kpzr3EA/6AD62ocjuH9KVNSvFjY5uWoEZSaJBeGYEHHKmk/IHV4A+zJDTD8YfhpS6oB8ZXshwLmvEG7LNU5AORPStXcYLQxcH489SBftwjlwIYnBnmiQs5a/v3LWm0RgGrULNnbvMpkgE7I97e8qG8Vale92xw7trKKmCXG6AaxW9XTEuUL3e3haKwec/CLItQ2jebd7Vh8/iSs5sWwBFh8mZcZ0MK44TtWdYV4AS27cfMJeFxsIjgIrBKujGBO3kHZRf7YdApa7NyZ6GLfxNBwvmsHBw4BumTuQiJZivcWOGRavEsRnxpQc64LAJ4z7czfDQHGmRXbobYIKb2BatiFarmyqY0aq9SsfLMagMvUWmhORv+SbbXuc8EavDxvefHQn4c+8sW2AZpdynvDks04zEP0AqFMuuzbo6iwhIw91fAIo0lM3mlMZ2FMheoYaxt1VH8wYRdiqhOjMKWAKVOzRV5WNR27Tya/3e2Q0Xt/3wxkAdDR3T1HcUafRYdvjj6xMfJAQU7rFUAagttAgzUZpZjJXTm/0XjxsNIqT5RXrn2yipSDMZLDm2o3rklJrbZPha6fpptgiBFgrAT3mHASmYKYgfIJV2H2ZkFUFW84RaH8nEAzQmavQ23iMBaiDmcIWkPhgtBluUTP/fob8b2R7ZaS7VClNyet22mN1weeluNrVqHrjp1afsf4AuOaI9EAdegRV2cBy2cHpGkL5KGBJb5CK8cx39y609QfR4DtVmpwt1EhofQOqP9Kd7NoK1+qZOon/QGVyVxwxwUyTwpU1LxG2xw7trKKmCXG6AaxW9XTEnEeraUhbrDkUgik77ctJgpI1rLmHhFcEQhDE+sP2Ihxpz9vv8d7YajaYdaIiGC6o2/2d5YNPtBvWPs9jVgNhFkjGosx5EKpAqsnsRQnDaOG40T2Y2GHy5MFvMD0Gd0XwUlM3mlMZ2FMheoYaxt1VH+YsNzK3FMyh0Enp5Gq7+9IDsJs83Mkxy5wmAZOB8C32N/H8UE4CV3kB55TpDO81F7m5agRlJokF4ZgQccqaT8ggBkpsxWRBLSepz9os6gK0zt3T2Ggp7CkVY+C3oufKGJ23JW0T4qstVwOAGj1UOscHzFN7xMKb9UmH8iN718YnunO/3kyupWqeIyeESUGUuj+XUi7TJp31XxeXFlNh81RhYhWRttosiU1S3Wzw2N8KQowK9oiWYUMX/RP4EHshwUmQ3zaWhM5HSEkPiqKbrpV7whpv6W1G7xkDr2s2KoYRVHllBWuw3u5iL5gHPTj4cvfM09U1I4fQVNhiPXMYGK/aJaEnMIs/Y/cUi3HFhVNMxbgn+Zm1F79fw/39oVcAH5JTN5pTGdhTIXqGGsbdVR/mLDcytxTModBJ6eRqu/vSNUY2T/AFOrU5G3jPSC53pFih7yjkQA9RcZZifk1V8jSQEFO6xVAGoLbQIM1GaWYyQJD5VH9IRjQY+AcKGZHCSSdkchTDn/f1OYESHpZBxWEfr3MPWk8cu8pOlZTKknsgvDQ75PGOUHuAuF4LlYbodJLBa1o16Q9OWpkvmK4E8687ZJmhvErTSXyO+2+QyhOl+w6zo28tBWsZscgOeIvnE9weQ+dSetRUxel+G+6b+8Fg3RjQJ4wTgKb+iLHPeV9z+vfnD0JsNjxFIJW337mbp4gol6emM6V8d+z49KZFjGHVykf9QxEZE5zHDW3Z21GL1J06pe+ZrZamX43M8vqEgGGHlARQWgPKSRYwNVXR3aA+9dGqATI1eulZH78AYpaxuvfnD0JsNjxFIJW337mbp5ZNIUzt+4j4alPdPo6GGfrasW5kIiHvaTawOsMdG8YbuaZdyT2ldpXrEB6L9jgm5TH/anQvJioaXORbTzx4awMWO/GX4/l8EEQpTS6K57vsUYywFsv0aT2v3VScQeCBAgi4qZ0koMbJe3ZUwJKULa0ynZ/QUoh+CIZnRsqwfNMdmBWstrDG8ppY+LELdSNsGP1lvFlf6PB0yUw1Wkpd6387cxvYEER6zYMh4rq1oNYXH3e0wvoXzhawS4viYkcwabmmXck9pXaV6xAei/Y4JuURQbY2ApHhczdFwSDOaHTCrv6dp+tF9/gXVzfMl4SV+Rv9neWDT7Qb1j7PY1YDYRZIxqLMeRCqQKrJ7EUJw2jhvMzct1MMx9odRCXGNLXuwrPKUQ6Kbfxahp6rw7hnN6RmTN8ZDShfE10Ep+kvkOuFncyLhqTytkSsQ9M7uSdXINPQloBmIzB+/2MdwTjMFrH5uWoEZSaJBeGYEHHKmk/ILOuoXJ0IRYD4xSs0CSJaRVYaS8b+cpWHCZ4ykR1ncvC5pl3JPaV2lesQHov2OCblEUG2NgKR4XM3RcEgzmh0wp8XlkVuVof8//nImwvY/0yvPps78HPs17bGGzV+M0kbMLdn2lZjVjYq2pKJFQ1hcM6JWTecrYqYdbKffTod5H/CZybw4ytysi61Aa6dC7GdLg00NwQxGXOkO7VFCCkF9mQzidbm0EDy2ovKQ3uWlAOt7SvG+FnPgppz7H51ln+TJkzfGQ0oXxNdBKfpL5DrhaA9G8r+7apWwNgBF53NCmbojpovqbbXaNAAzZfiGmLuhfbSrKDn1O2/Q4pV6fUYQ7L2TpSi1lGl/zinGxjTPt+y4JRq7RXg2oZ3XpaSEa5bAP7F3jGqSsdftC+oQLMIBTfVLI34j++z6iGisNrZzDE9Fr+2S80kRvsjPIR6oZLl59qEbHPWLdkKjzwUxZ0PqpeXdK0KwKI9f2UsJ4JG6V1ykBHTuHezZlcIyYTjJb+O9scO7ayipglxugGsVvV0xLJJLSvvPMFQTYug9ubmnfqPUVSlkkMMQQjFuZvgFJYt19pMi+oJc2cZQmSGazRr7u6IBZzu89ZSwWiIAQ9VunWQYEJyX9VhAb7Iks9oSZL0eFEkvPfXKRiiIr3xSEMTs7r35w9CbDY8RSCVt9+5m6e8R92Ywic0UGZUszumpDp/gpPWk9l2p3s1hWPH2tZ7ergJrT6rRypERQu/+LyXVq4HRtOky/T+n6FKKesjrP4dgx+28lnK9gX/orfWwslV5PbHDu2soqYJcboBrFb1dMScR6tpSFusORSCKTvty0mCm1Zknq65yA5FCWig2R+vAV7puuS2nb4knOL9m6xBu69cxeIAjRywb0YTtGDmg41IHcjgjkyKSkVcicI1itHbGb+dOqS59z4sPhIYOJFxC71b/Z3lg0+0G9Y+z2NWA2EWTLQDsaWiTZk5ejOp2ZKV8wu0nAOfm3V3gz2jGNJ41FxqetMacTSlfuhg8Je7KCTcSZDfNpaEzkdISQ+KopuulW11kWAOiVQhlaik5IzHFMF7SslerSvqI8PUfaH8un2v+eQxVWcJ7yuEkpd/Sb3lx8t3wT+UCzCAMtmxiDkXtNmC6WLF4nDC8tIyV8qWNlU5RFXZwHLZwekaQvkoYElvkIrxzHf3LrT1B9HgO1WanC3+JAWqSF9uQ/g6vOcPqPFCvycbyQOCkDI5yjJI52veqvI242ppGAiO7f5G5FOBTlk6GEZgPfSCxmSwu1X38U0ahWk2h7ReYipINmgK5z1k3q6dUMWgpcMGScakWspv6oCTHrIiK2EuzQ86XK60S55oA0iwQku4bWPCKpM22AzXt7pEqfwyhpSqm3ELgOmL7M5h3FO71sbCwtDVoFZp/g8cqS4R/gjOrTZgLDVwVU2/XfJVZkgjTsBeDmpKOpqPRgKif1mXuytTRK5HlxzDVdb9ys1R8K8xsgWFB7GaL7J5ypTjyG4aE3waX+wGrCfsZE+U4RHmhiUPGNO5HqE0B0dH61VWQ6wtigUKVjFUQnMGZHmmXck9pXaV6xAei/Y4JuU7SUZI3/y/jq34KnUBRSDoEBwBKVZksjb67jFzzWWvP7gJrT6rRypERQu/+LyXVq4iVyOivtVa4rjAO3L+H6KNks676HdGEPuA78rhlY6HbWVQK/m0F1utmWojjKPdmN4G5Y9p66EPLI/qmq1uRINStpRWhrAf5/cik0HTbdrsZ0+oOlXuAWfRNAll3elNb8vAPXoI5f+HfQdQSxzgRURGCt0ce6yPgFbAW/pgiaU2kVe/RH66RV6Wkgl9cELfSKZ427BdZ9RBDNxF1UZQxnG2LlXi0qu1pIUqggEzybUB/jfM09U1I4fQVNhiPXMYGK/CN9WYnoBcOa2df8Daajik8M/cLFTDsj72ddItOMLSE/bvWAdmHaGGSMzt/Li/TwuSjn2rYfpAaV+3Ho2WxYIj7sC0wyNWIQrAxehDjmTJP7o0TlXrtq+Ft7Ntv7DRDBSQJsTdUVQKOyDYC9yFEb97lgJbhzJhM85w+wi+WYO8nsQDVVrWOT3F/GkRfEouhm4RxHI7RdCmqKpK8nx3p1EorWv2of3rT6Xu6oaaaCB2SP/km217nPBGrw8b3nx0J+HftHk65ELoLoawW30UYsC0EDcenUPtjHal+nPQIph19vSB3giBZxX4wE2diljg6fzUkTNrfDfD09GzwL6/mSNTez9vun6ieD4PgZzZ6/53Jqz1tC1MPkM3zfIFH+M8pLVw8/JQCKSLNLPqbFHZOhhQg6JAIxjNnXGGrKqQW4ni1UIpxrQfd17aOxdezvRY2DKFrv8LloauyAKZDsO+6NhIeblqBGUmiQXhmBBxyppPyDJN8UFKYmZ6ixvIF550VqBn0E5o97ymFVQv1ifEhP5dH4cfSFzv0RVrgMRexPSu+5hkQZbqfjOEaxOq6ZGvFyx3mOudqWQdn5UngMUgtSdvlbcfK0LYH+ll56HzeJKa2JJjtMQova9yYXAX9QmXJz2vqJ4BrOwRqO47hVO+J/SJIy4nOhg3IetWUUZwiLF/1ZBPtWaSxJ9HCxFWjBuzmr7jm8EYHgtjUo0wPZnAUb1eswMRuQZFkhqeLqrIaNgSs/fM09U1I4fQVNhiPXMYGK/k2H1u7rEESCNX42KieuqrKXLhnY3lBjMLSgzEkugSJpXhhgBciv0X1l4cKU6I2KKs2+RMaYv6TnRsiqD5qX3Zw8gT1h54eQpScrmJyagtcjVC1ge8KIpeky8aHrnwIO9cWp0HZcXdmKkQa9RcTuSi3XS7MBZ4TXe7m1Kw9b2U6pzhIP0p4P+HhrXzirw82AUM2ybYfozeeDC3Zd1Iac0JA0Uz/HaVRyHkL0PeG8vmZveoFDc/vpwkhDQswzp28G4lfoxWVip3uz+KCrAWoEC/yJppLhlhPXj50ZSb9x1T+xSlBEUuPZoDTEGWc/qiCTvnL9GhDvf2AJXkqqWGkOa7PVVEJSNGQrRN0LcMJ2J8KW1Ygo6SIeFb0fRw8Nf6pBGucSNR1Eh+vHDf0HjRua6J32bbWMe/01f+gwZxtW2GZvG5Tt2vDoZ8kH1orgmGUSG/WZ+f6Fn6eDuXGOCOHZ6Nfb8+OkpGdMNLVWNNhTjPbGIIPJzPDUHjKaJWpkV71oCi/q1pewfyjrBQWfRDgaIghTOauWXAUTE3w2TcN5oeXCD+YSXJ6ryzX9Bj9DM7Yc51TGQN85vjXUC4rMHK1AeV+aZdyT2ldpXrEB6L9jgm5TTQ88WVIgm99nsnSRRPEaQZ6BhI52bAR8L5vfZUT3pV+AmtPqtHKkRFC7/4vJdWrjUXzvdM+Kb/JRdBETyuH/gT6fhsMb6jHzNYF0astZfepxnxdsBBm6xrdQ+v6W/5TwLvmPikA0vdL4PTx2LtiMoE/R84ntSZSUnrExAipF7V9jOoJcrnuzQy7wP2rkBJmF+0eTrkQuguhrBbfRRiwLQSmLM9Pv2IZ4CCKKXCZ4A016mCPoR4jG3Nsr62Ncv/kBUo6Nnred0YTuH474/QjcFHljd2Bbz0TymLmCoWHWSe7VqSE2G2qAVzW7px7/nKdMCJakP2c0Lds4Ju2nEviY2vJrwI3hzDY3kiTzaxcwffCbKetawgn+VyVr7LzPd+m+INvKfZq2PuzP0xNq3f8sCmlN5tehXYOXfVUR7CJuCeHdAPDtxsjxUQs8UIr6EsLqcuz2LsX/nOwZT7+G6go+IZMLFcY+xo2o8TXP98IMavsjJ/JU5XTHvHmBL/ZpeJbqFIs7J/zebd31/KMcc4oMikQYIbqshridadAZWgXxSilJPBQBHbCOCEt6LYXAsj0kLloZBMNOJujGvKEKWWpMSVQpLOJgLOSm7yn70A+2JBrwWjG0mAwBRSnV9VV6VgO21vU0rcTiY53n1ohjr6ks2Y0Rp192vcq9v0dncZ2wojz7yxbYBml3Ke8OSzTjMQ/TK1qaIcuY5hzNELuMPLcxELhBmrHYWCoSpBuDHUeMvBKPasdMX4QuwBF7NQmnULl0gZKE06DSjTJXE4kFUD4CXZwBtGIP6CbHAgKo2xsQSER2fSII2ANl/vUEKFaghRpcN/QnUQZenOSiV+B53HQgKKhrbQCAUpNFIDW+OiZ4D7cWdmxEuHdYGEG1/vE60NJKMeB3Sh8vU6o0JyJnwdh+GmzK5EdaV9q8W0RjeE+vR+ZXDimH1UWX9FOX0YBN+bId/iUicDwYdw3VqpUWpv+yruDHj3YQYPSec8vImkmFPytTBBjoH12sXk0k34NgBAZxnG1wc3uPLen5BnKei/cZnm/8tc2ELQsApBCqh+rMcBpy7PYuxf+c7BlPv4bqCj4hkwsVxj7GjajxNc/3wgxq+timNGaKZxRHCFCUHRd1Uzeushj9JRSHcHg6kzaH9tAZdC6TMndu/cDJSGDP5rmAZvsGXEJZ12Gepin7Y8xJ3YSDzoiQQh5eyROys3dN+pV5MdLBQ/3Lr/T9y4t7d+weKBGKSm9SGgYQ+JuljXLKT5h3b9T833l4+2nO57b6vl3JgtDFwfjz1IF+3COXAhicGxDcUy4OKR5DEs4K56Jd8qUwhKx8O2JxYqhvOzwo1dWvnWTdUvCJjU3GYR1KRqxH6eZiJgFetpxj8pnjQ3LAa5YNkg5rSP/8hsgc91ZKJegFv9neWDT7Qb1j7PY1YDYRZMtAOxpaJNmTl6M6nZkpXzOX0WBizht/5W2davc6++BFGMsBbL9Gk9r91UnEHggQIIuKmdJKDGyXt2VMCSlC2tMtYD7YRJDLSjVp1KACUjKR+HH0hc79EVa4DEXsT0rvuYZEGW6n4zhGsTqumRrxcsdDj0P/BpR6xzHmMzCYERUgseLlnPm3+PeOeCKtUpRMas2+RMaYv6TnRsiqD5qX3Z37TuIodi69BLtIFHpoTA7J1B7y7ty/uWsqCgQNtNGem5uWoEZSaJBeGYEHHKmk/IEz/YH3Gua+//pLlTPKPdJ8LqX6aHfIuouyPpy5Xvr3bAiWpD9nNC3bOCbtpxL4mNq4O1JAolYpHYtIs2FETalZUrgR/19rZVRQE94sC9TZGZ+umGEbjuiNTgtYQ+VrA154dgipKOy2lF3DTWHn7UNGafXZCh133Cam5H8M9UfRW/6pyPjdUXJ4PWXRy3Cc4UW+JAwLXbHJpCBaPBFcK6FouMHX9P3d4PMmrgjVMFdG6SmpZ3vecSV2NqdK9KsyJ2ZX6MVlYqd7s/igqwFqBAv8iaaS4ZYT14+dGUm/cdU/s9mcdIgv344/zngmJ3bLMv2/2d5YNPtBvWPs9jVgNhFkjGosx5EKpAqsnsRQnDaOGT2WwahyrCjZXoyFLaUP3RtjOoJcrnuzQy7wP2rkBJmF+0eTrkQuguhrBbfRRiwLQskkC19FBx9idzA31CJhdZk7Q/+MC5euc3K0XlC9NCfYVKsOcMO1uYI7GWlEB3HgBm2+H7MiSjqt5o6itIZUcj5wunmxQz8UnxPxPlC0uDVDFnZsRLh3WBhBtf7xOtDSSb8bPqslYLd4ZyLUWKtWTFxbxXobAlK/zO0R98XCg/9DpEqfwyhpSqm3ELgOmL7M5MQvgnXL6Qba6R+uVjB2vipzopTD2LOpKbBIjXSW7x79gtDFwfjz1IF+3COXAhicGDHLLi6WaQdmCjG45ZYqyquPUSWB+76gq5JF5a0jdfnexDFse4nA5lWh1mzrjbN8NShsttpzRY/1zltv848jWaOBw9DbAs4ZUATJdHOM9BtYN6U2qhOrZ+OzoW3YTIWxjHZ9IgjYA2X+9QQoVqCFGl7PvJE3mTlqfRjGgokvlz2wpJI9RIIzBr0zg3Fw4oz3qJOSKa8GP548neshcyWy8s3tc/ChGt+Wtz9iIGFKtEfSa0kcRMo0FwS2DUqyp2BiP6RKn8MoaUqptxC4Dpi+zOY1Mi/68UQETZt9XupeVQbaav8L1Z2SXES2BhoQrCVr7jJ9/lh2sb2uZFfNOgdxcH7IA8VLA1tvve+CVQTHLt+1xd9VVlQ41BpqTit0YkCsvPPOe9xWifXC8yw2LStdWJSvHMd/cutPUH0eA7VZqcLfvlmrVYppnDlAb+k0T3/L7ntpGPlv277MVDGW+HLWa72+JAwLXbHJpCBaPBFcK6FohaVaKlLS3jCI95NCtONQlxkv/uQ77QUldCnrZMzbWmjp8jJlK93/MN69Upf2PYk7wEMBpCK5mG4pz+IZiI92qln33H0T402g+M8UYujZ6tlXxfSvt0ych6hxJAEcZHPF6IlfFCRE+cYcS1g68xMjvfMAQabWY7IBcEd6bUXusT18naS1o0vx7ylA3bQyyF54L3yXpxAfrycltEbUayRhlsAgp5SmpNexHKgsGJhPCcene0jBqe6KOFEZQb9Ig92Iax3JxFaz/aFSc155xNoxdzVkTYCQdCh6Cx7WKVOQOIeGC0GW5RM/9+hvxvZHtlpLyIXOsX502sKwkp3ej74J1yxYLfTPmeZArmgePQ3MWClNzcj6TfLlioHRkYTnCaLw1gQeBQN0ZvLcSao39JEkRf9tSz4B/6pZhMWTQLWpzkFOG5/WFSRP8DNbTRB6NGLmZM3xkNKF8TXQSn6S+Q64WzYBG9PFvzR1J6zc6+6EGCR/aF5n8X7zIEA57uofUHvmZM3xkNKF8TXQSn6S+Q64WvB4zoN94LLTMz8djdnpWD/7HTgI/5OCOFLmdiZQjuuCtXbUeQTON4lB2cfDc1iNM5BN7KaY3Wu5urNMjCLBTO/XJ7pJdwgXdNqSFsS5q9WrdKHfqMWZH/Dcz/0VP3q96PfU0n7o+nZFwNYZI/IhImUOy6W/8Ib6VfSmvykaatszgJrT6rRypERQu/+LyXVq452PIkNqVzGM3ofVTz1FmONdg4Atw3mQRm5CsXf6WxlMRV2cBy2cHpGkL5KGBJb5CK8cx39y609QfR4DtVmpwt9aMwVdPMvBBSk5iJxJvww8Tuk5JF5KPjVn7S1HA8MUd4Ca0+q0cqREULv/i8l1auJZg0qxJjPqZ5pRoQdq72i9ZapKDjacVzbsTnu9tNOc8nLs9i7F/5zsGU+/huoKPiJXpK29GYzmJegmg54ICKtXgSMVJCqUtRrOTrHkrP9k5/5Jtte5zwRq8PG958dCfh37R5OuRC6C6GsFt9FGLAtAr71TR5X0Hv61oxwCIv2+0HTfb7dJQiYVnMHcRiXqziw16GeS4ryMKIFraT1uXF9hgxVG38n0skxOvdABos3iODpWHO0COP3c92tW5xDSanDinDZ3EakIhgvp85xkklyApPExNnu6CjOUxTCk8kzrSrsGJa/eSkONxzK9y0JRZgfMvPE8r9RR41NzKOUbG3Q+cBcBxLkkV7zHJP9cKYCQYTKiTpoYc0fiG6hXM0FplPDinDZ3EakIhgvp85xkklyAgZvCcKuxBeU/MVrBuGuk4P5U/2pLrGMnVbOIpsHYSdeaZdyT2ldpXrEB6L9jgm5SoNWEhs/JO3ZqmNN/wJ2IUMvQMjKSaG673QY7cIW7ospX6MVlYqd7s/igqwFqBAv+KwjcZiWIaBW3Z/OQe1vuKTShVBJWHIIbUxWCICBuqRn4cfSFzv0RVrgMRexPSu+4rxzHf3LrT1B9HgO1WanC3QOUovCfIve1/OyVTnZmTy4Ah4f8SZfN+jCdvhSXxgxQI+U0MooKDh5R0CIKRPPesw/mfo2UaRpih6wqU7RpnmxjcMwWoiCw9wyi7wrh5mQzw2yEGaNz0z2pi0m5tD9sb3ww9OhOLheiBE9J0yuLTMhIdndcD/+EXcoKSwLNB3T9pk1D5qssMy5XkmaHbleJlIfweWhGhhrgtHO3w9cgYuULx2O6cE5k/Vz94KuozvYyV+jFZWKne7P4oKsBagQL/ft05iajk0YWQHW2LJ5ZjupavYRBa5rS49wu9HeU97J5+HH0hc79EVa4DEXsT0rvuYZEGW6n4zhGsTqumRrxcscYG5ZNXtAhwc7t9T7PXj9yD6QFLlSjsR2k9tMTKDkPVckGbP8IvIiaE68GLozGCdfuRBaE5+zBzYwvIloXUVOIPSYc6P4uJCHNqWlE0zsmaZF+huRgWXCDUG9lhA43l3zsMh4XMxqEb4Q7WalMm6NmA39yuY9VrNhKKkij7g4kgPNkEMmClDhKzK1OQg6BCXDJTYY/c3BogfLUySFziBq3KYN7yX6bfBsUmVwY51Optb/Z3lg0+0G9Y+z2NWA2EWTLQDsaWiTZk5ejOp2ZKV8yPNkDlOC7E/CZFNovLkW98zylEOim38Woaeq8O4ZzekXMXiAI0csG9GE7Rg5oONSC6Lce6jTUclrEDwu3oT9CcRulQ0l2LWqJfCSk4JTkhC8yibFjw5nuj+Jt5gNm8lCMoyn+sHQoNcHwvJZRFm3gBHPSJCkGz4QrcuRbpx0zEEtUIDXeaPxO0EBz4hPznhqbAhX2pHsHKRMKif9/RqIK/QVK9qKtzwpMICBzhCYX3ix8n2WvI2vQW2zoofMZ+h9d1M2D68hfNzETTbQwePhIURW/oaNLCMOu6NEcXM54wmr602nbBTih2vbbe74qsutKD4l/IsHrdP3eD5F6e3uyytQPMc/ZELnrszbzaVaCjpuoSbXumrJdf3FhChTUPD6hviQMC12xyaQgWjwRXCuha++XtUp6dhLlzkR/DlXCbcJ0QoY7XQ8viv3+nVPUJXCi2zjdlHzURpae/YSfjOggYuICcZb8mQgDfmLSbI+Vx9dHUFELeYcdxKUKEtxAgRMFjaPUOLuqD6014qigHpmuFOynFoWtVPkpFFJcDD8leRfxDe2U+jLk508wqZ0YkYie4hMDgATAnGymN/bhl+BAas1HdSxDLkQ1dg2fTwMXtR3YsASA9upfWV4+LfYI6qWGweaHoGIIWUZ7rAcUFzAv/oo65BKK1RlKctP6ma/TWYnI/uthgitmP1hsEoTdu7zSf1RuAxogUIYuRaIDRTlyCqC/c3FUurwssba/PmlERF5BnZX82NEinc/XtC1w26oDYbtLAPpP4DrWF3QRV4zJCshv5bmRYft9KShdGJIy4LGv0soETsnkUmLuVCJ/8F2+V+jFZWKne7P4oKsBagQL/ft05iajk0YWQHW2LJ5ZjujXAwcyop1EL27K1PRUxOCqcZ8XbAQZusa3UPr+lv+U8ZMLFcY+xo2o8TXP98IMavuo8lPeDXltoNfETwTpSa+7PKUQ6Kbfxahp6rw7hnN6RmTN8ZDShfE10Ep+kvkOuFofy3khG48TnHKF699eFS0LCl1PnenjufEjIo/kntuAKs2+RMaYv6TnRsiqD5qX3Z3e+Fnk7pSbAntg1AJtFOKAZrIWMKXSV0bdLLY355vBXN+ttd+inR6RnnGHfwtJTqWcShX1Fxmj7oF+u5/R3qSwq1MaQdbsMB1omhx/QeMtf6qFJsFEB30Z5OZrxI2jRk1Vl4x74Z3SQpfgvSCE37IlObp2wCVb05Yg1Bu8HqR6wWIpmqwzAPLn8vq7IL04cEpoZ4OfSEfFrcwX3KniQPonyIlPLb41xXte6K+90RT87x9YWSHNMbq+6CUJuujGoZ8f4gaVl3gZvmmiSK9b7AtaWGqCYejt1m0xxFf0rIkKG45dalcA3kUwP2h34tm7tI9IEqIASd/b9yaiVDgUZNxN40ui4q5HO7Kd1zi9OvMzqC3Om1M7wTtn6F2iZ4HtYAczZKP05QlHbzx44t1t/teyQH/AA0tzFWEFdwFYFzqSKCJfYDBAyshC6pBs7BocPwTfrbXfop0ekZ5xh38LSU6lnEoV9RcZo+6Bfruf0d6ksLHdDUV2hpyXAnzkwzBK/EKSirKRHzbIefAfeldULDIUPYLtOJCQlujk7MdunADb/rnjpN8BztBrq5iNIxv9bFjiACA7W8pbITpz/BGOaz0h5Lm7Yzpn8ajGWtMIPnJKrc2e2zJarcWY+lW+8Z5bypNqwDrmMJ+qYs/89URRAGld8blgl65+PCS+MbwFbZl+iTzgGHJuvFXNX0DBrJIQeBPZXp2ecbonR2yNGANvZtPA+a2Ppf6lRCXLKpov0KWtSr3hepRZxkY6h3X+rlFlKGVb5NU3+Ih9HmIU3cgQUJvZUDpj9ePsyxKpaUVMwbuPhFaU5Vhp8K7hsrpcReuStr9WIWevaSIZwqgV35aSq8sFBPtWaSxJ9HCxFWjBuzmr7g2uR+cKmfi0/cqAkynk03duWjd0lvrKqAbb/UtuJauHYZbMDkU2ZoRCDBVe1eAIMph9ZiRjegbGAuZS6BKXcEducP4opJHC+Kl2Ts4edbjp0NDjKSZfNcXODL1lNnOBLR3HMED+H0XzeC6V+8wpK/aANLm/BBvVzsUzA3fLcj70fJWuNmhY1tprCcA+AVyquey4RrLTFcpp4gnWOCgl9ONUrmQAnrq7BrRXo6lRMxZS0FPuZ0/01DqZtmzf9+lJ/xDvFDpsksCLtx6LMUOcfJB3MZCqNBAdUGGIvfg5k5+i0ZHoaLdXZ2XeT0818HFn06qFJsFEB30Z5OZrxI2jRk1Vl4x74Z3SQpfgvSCE37ImNw9f/BHFq2hqIMwjhVARJpKKspEfNsh58B96V1QsMhQ9gu04kJCW6OTsx26cANv+5XBp6Qgaa6BY5CQFfnx1Q2GWzA5FNmaEQgwVXtXgCDKYfWYkY3oGxgLmUugSl3BGshXIkU5f05mr85eWuzz3/x9YWSHNMbq+6CUJuujGoZ8f4gaVl3gZvmmiSK9b7AtYWQQlJuPwtfG9HxtHnOIWd2rAOuYwn6piz/z1RFEAaV3xuWCXrn48JL4xvAVtmX6LWtIyGM63uvNl2ZQZxeniPse6rsnSscH62Pp0ySO2OfnsuEay0xXKaeIJ1jgoJfTjVK5kAJ66uwa0V6OpUTMWUnMWoABMR1D76U8uwqktdFMzZKP05QlHbzx44t1t/teyQH/AA0tzFWEFdwFYFzqSK7f6zf/Jvr0DwdZifjFzG4VQOmP14+zLEqlpRUzBu4+EVpTlWGnwruGyulxF65K2vBO+m9Zu700E0nVNhJcMiouqhSbBRAd9GeTma8SNo0ZNVZeMe+Gd0kKX4L0ghN+yJGvTC4Fo/4F/+8N76TRwtPKSirKRHzbIefAfeldULDIUPYLtOJCQlujk7MdunADb/3YEB3SuX3XWO6GM/rlIK0thlswORTZmhEIMFV7V4AgymH1mJGN6BsYC5lLoEpdwRJfuLS3uxfLKLqwmCbymptcfWFkhzTG6vuglCbroxqGfH+IGlZd4Gb5pokivW+wLWwWis02DkyEDf/DdGumoAz9qwDrmMJ+qYs/89URRAGld8blgl65+PCS+MbwFbZl+iydVjj8dkAiOHlzPkkOBiEfdp2/825QcquhHG41Raaz97LhGstMVymniCdY4KCX041SuZACeursGtFejqVEzFlJqr1biZS00TEPqH9P7Q1avM2Sj9OUJR288eOLdbf7XskB/wANLcxVhBXcBWBc6kijGQWqJeHUtyE4CTyGS+2LRUDpj9ePsyxKpaUVMwbuPhFaU5Vhp8K7hsrpcReuStr3iAFfJpoYrIx/fSpSaDkKHqoUmwUQHfRnk5mvEjaNGTVWXjHvhndJCl+C9IITfsiUHRf+v38B39YzopUoxcTyGkoqykR82yHnwH3pXVCwyFD2C7TiQkJbo5OzHbpwA2/z0QPpbi2IEwx1Qbr91MpgbYZbMDkU2ZoRCDBVe1eAIMph9ZiRjegbGAuZS6BKXcEbNuHllHRlDd+WZNS280myLH1hZIc0xur7oJQm66Mahnx/iBpWXeBm+aaJIr1vsC1qgiFXRoWWPCwc2m6Dri6YHasA65jCfqmLP/PVEUQBpXfG5YJeufjwkvjG8BW2ZfosnVY4/HZAIjh5cz5JDgYhG3ubf+EEwvev07wUFcHDpTey4RrLTFcpp4gnWOCgl9OBLYfP+xYl0Ztvf/dFsUG9pyymy2pctRHiWZHjWLKECOzNko/TlCUdvPHji3W3+17MB7atwG/5n5ZEu0G/tTiGc9PcyWZGOHTwDIhsOeEnsHN+ttd+inR6RnnGHfwtJTqZ1oLZ8EQKQefc9n2ZGVCsu/JVvIx+uS9S5kaKCZY5oVpKKspEfNsh58B96V1QsMheQ8Qur6hM80pcctrjPV1CsSLNNzX1gSdXcRHGFR4vzCOIAIDtbylshOnP8EY5rPSHkubtjOmfxqMZa0wg+ckquoo3Tj1wfv+G2eHr6VNy5H2rAOuYwn6piz/z1RFEAaV3xuWCXrn48JL4xvAVtmX6JriFrDM6MoUPLhwP/q8cALH0PbnnkZm1WQ69bmiAi3Nz5rY+l/qVEJcsqmi/Qpa1LaJjCiJNhdfLb1ESaE70dYXNW6mJNkvsBawHlVTLjSUFQOmP14+zLEqlpRUzBu4+EVpTlWGnwruGyulxF65K2v8uJcztcql3xJor8dzJwxwEE+1ZpLEn0cLEVaMG7OavuDa5H5wqZ+LT9yoCTKeTTdcJiAMyOk2AJ4F7BIUgAm29hlswORTZmhEIMFV7V4AgymH1mJGN6BsYC5lLoEpdwRirVN4VyQXBwfrNNBSUSDfHQ0OMpJl81xc4MvWU2c4EtHccwQP4fRfN4LpX7zCkr9CDuFqiePqIR0E/vT6faKGYwNoYdlCK/T4Qy0G9PY8WJ7LhGstMVymniCdY4KCX041SuZACeursGtFejqVEzFlPTeIk8cgvdA3QlQYMsia+bEO8UOmySwIu3HosxQ5x8kSNJIq1Hu6SLw6+L3BGnEwcx2WO+C+kjx2IaX222MMqLqoUmwUQHfRnk5mvEjaNGTVWXjHvhndJCl+C9IITfsiSqftJiuK5rlwgui0ElPpS5YimarDMA8ufy+rsgvThwSa86oiK9pYjy0nLyCnoN2bWhrsb2MD/p5I8WjGv6cWCLH1hZIc0xur7oJQm66Mahnx/iBpWXeBm+aaJIr1vsC1mtikQQ+lX4lJAzrRiXyHgORsjxlzaNrPI0mP48e4mSZ0gSogBJ39v3JqJUOBRk3Exw0Xd/vLUOJ5R1qGynEOJH08uQgogXaUBj++kOQY7U+zNko/TlCUdvPHji3W3+17JAf8ADS3MVYQV3AVgXOpIpEB6i6j5fwWZgQ/RLtGvd9N+ttd+inR6RnnGHfwtJTqWcShX1Fxmj7oF+u5/R3qSy7cBgrTWVs9iTuZxP0uf+XpKKspEfNsh58B96V1QsMhQ9gu04kJCW6OTsx26cANv/1HubWtcerWEU+RmiNZhquOIAIDtbylshOnP8EY5rPSHkubtjOmfxqMZa0wg+ckqscGgHMvSGVFE4rwtwRg7Ue2rAOuYwn6piz/z1RFEAaV3xuWCXrn48JL4xvAVtmX6ILZptWG+O1Otvn3ZJyhFhAPCQ80JOXyCL3JpWS71StOz5rY+l/qVEJcsqmi/Qpa1KveF6lFnGRjqHdf6uUWUoZ7Yjfs9NjO1JjINJ8mbYM+VQOmP14+zLEqlpRUzBu4+EVpTlWGnwruGyulxF65K2vVRVdn01uE2VF87nenRqlL0E+1ZpLEn0cLEVaMG7OavuDa5H5wqZ+LT9yoCTKeTTdcoPO6sXtj/MMRajUdiNYk9hlswORTZmhEIMFV7V4AgymH1mJGN6BsYC5lLoEpdwR9Y1PreF/cmqsm2G4Xf0HenQ0OMpJl81xc4MvWU2c4EtHccwQP4fRfN4LpX7zCkr9vQl9hbKmkoaMudMaXx2G7Kt5muTKuFZy7r3lG/rMygd7LhGstMVymniCdY4KCX041SuZACeursGtFejqVEzFlHg84qv9qbegg4sI8Dwbp4XEO8UOmySwIu3HosxQ5x8kHcxkKo0EB1QYYi9+DmTn6FUY5kR45Kf3vbMiOYsY02zqoUmwUQHfRnk5mvEjaNGTVWXjHvhndJCl+C9IITfsiTEaMpvJfXi5+SV9li5a05dYimarDMA8ufy+rsgvThwSa86oiK9pYjy0nLyCnoN2bcSWjniOfifWjn9BMWGZpznH1hZIc0xur7oJQm66Mahnx/iBpWXeBm+aaJIr1vsC1p02gGg9HkQGwi1B0o4k/ECGQQdJJ3RH3aY4ApbdwsLI0gSogBJ39v3JqJUOBRk3E6vcp0DChwtHX3prO7vJusBJ9znZDJaRW/iGvPxTSVCDzNko/TlCUdvPHji3W3+17CJhjkIYJyAmk3SELiHlEYi+hR0x08hAEvUgaIOGalSUN+ttd+inR6RnnGHfwtJTqW9aoCRjg7gjL7LjYDzC5f+7bodW6w7NqpR9Jb4zxvLMpKKspEfNsh58B96V1QsMhQ9gu04kJCW6OTsx26cANv+CG9JSdvXgFVghd6UtbIZhOIAIDtbylshOnP8EY5rPSHkubtjOmfxqMZa0wg+ckqvR6k0l3HfXqqdo24pxct+h2rAOuYwn6piz/z1RFEAaV3xuWCXrn48JL4xvAVtmX6K0Fer34HTIZ85NlPnKJT4q5+RdA7V7oUb8RdTDPSkNiD5rY+l/qVEJcsqmi/Qpa1KveF6lFnGRjqHdf6uUWUoZXgoqJKHz6qemr/nTdk34p1QOmP14+zLEqlpRUzBu4+EVpTlWGnwruGyulxF65K2v476zvu32iLTmzW0UFCxVjEE+1ZpLEn0cLEVaMG7OavuDa5H5wqZ+LT9yoCTKeTTdLrjfbORf+r2AbKxLPKwoE9hlswORTZmhEIMFV7V4AgymH1mJGN6BsYC5lLoEpdwRKuxU21cRrY/0QnZYzqdNynQ0OMpJl81xc4MvWU2c4EtHccwQP4fRfN4LpX7zCkr9rdz1E+k6fAi5Xk1ymJ0PjtVdOkrtFYk7iJiSt3GWtsp7LhGstMVymniCdY4KCX041SuZACeursGtFejqVEzFlCJIHI07bv9UDaNFwACNbwrEO8UOmySwIu3HosxQ5x8kHcxkKo0EB1QYYi9+DmTn6Ar6YJQY23yhbevE+TrBkc3qoUmwUQHfRnk5mvEjaNGTVWXjHvhndJCl+C9IITfsiY52eEaENUfJFy39M5hyWAlYimarDMA8ufy+rsgvThwSa86oiK9pYjy0nLyCnoN2bZVAlgZ1Pw5+9GsdVGwTnZbH1hZIc0xur7oJQm66Mahnx/iBpWXeBm+aaJIr1vsC1kZCXmNWdH7bqsLf12jIoDUmB00HMolXCLsKsCmD3KAB0gSogBJ39v3JqJUOBRk3Exw0Xd/vLUOJ5R1qGynEOJE2Es0IjH137dSILDDfJmxpzNko/TlCUdvPHji3W3+17HwoACMfZhS9TLtB6ynAN8ZSsP8m8Px5HFJoLMzCcMeFxDvFDpsksCLtx6LMUOcfJB3MZCqNBAdUGGIvfg5k5+hrRuKX+WKdLrkNw6zF7S8yVA6Y/Xj7MsSqWlFTMG7j4RWlOVYafCu4bK6XEXrkra/gqPY6cVElB7kcNszXJlIVN+ttd+inR6RnnGHfwtJTqcEf6+ZCkaEQGQfY+NMeUjZ5y8EqMfm82Voxs43EJKwd6qFJsFEB30Z5OZrxI2jRk1Vl4x74Z3SQpfgvSCE37Il0qotPzzOg12Y1O9Uh6JsBQT7VmksSfRwsRVowbs5q+4NrkfnCpn4tP3KgJMp5NN2wpNV+wpT0cmbhCZXkR3cgpKKspEfNsh58B96V1QsMhQ9gu04kJCW6OTsx26cANv9TtNz19rV8+a+ZGKkAE4NVWIpmqwzAPLn8vq7IL04cEmvOqIivaWI8tJy8gp6Ddm0nb2N6s59xcbiA+8aImoYH2GWzA5FNmaEQgwVXtXgCDKYfWYkY3oGxgLmUugSl3BH6nLY4NsvLTmdXUAjiiWWaOIAIDtbylshOnP8EY5rPSHkubtjOmfxqMZa0wg+ckqs4sxdLc6fVX6Z8p27Wvi01x9YWSHNMbq+6CUJuujGoZ8f4gaVl3gZvmmiSK9b7AtbSyg8J1POMgB69EndXLn1WdDQ4ykmXzXFzgy9ZTZzgS0dxzBA/h9F83gulfvMKSv3t6sLxE810uQLge5c1Tg4E2rAOuYwn6piz/z1RFEAaV3xuWCXrn48JL4xvAVtmX6LxAuFnVtt/qZBeX+pxa0ySBJOMeZhZ05r+GGojkw3Xw9IEqIASd/b9yaiVDgUZNxNEEp5ATIXINYpNQlXYc5u91fuDtb4jPfHX6PxEMzL0S3suEay0xXKaeIJ1jgoJfTh/UwvBbrNXromrP+AgoOFpyP1BGT/3JTwwpuz67phhOT5rY+l/qVEJcsqmi/Qpa1IqEg9sEI2f27HGrkK7oE8uxfdnKgCQ08wdt4y/wuGyNczZKP05QlHbzx44t1t/tex8KAAjH2YUvUy7QespwDfGdaF5SefxkEBjcGRh8nmVm8Q7xQ6bJLAi7ceizFDnHySqAmRF+UzaCcl3w/cYW1Gp3X4mC1ZlT2Mhr+BHnGEiaFQOmP14+zLEqlpRUzBu4+EAzbJrG/t9ak5ebMpE3f8DJDcIb1wPwYNRCqVgNofP3TfrbXfop0ekZ5xh38LSU6lnEoV9RcZo+6Bfruf0d6ks67Za8uWgvHx4PNFR8baaouqhSbBRAd9GeTma8SNo0ZNVZeMe+Gd0kKX4L0ghN+yJOGVYka/sYTq+sbmDnk8Fn0E+1ZpLEn0cLEVaMG7OavuDa5H5wqZ+LT9yoCTKeTTdX3e83oMhSCo1i/RCe2lCfaSirKRHzbIefAfeldULDIUYZWp3UuEKpD7Ob8C0OfyhZFCP8CRf8VQMlJNR2JcX51iKZqsMwDy5/L6uyC9OHBKaGeDn0hHxa3MF9yp4kD6JkJ0kSnxzJVkaZ1SpKikLwthlswORTZmhEIMFV7V4AgymH1mJGN6BsYC5lLoEpdwRGf/cPLXgycZ+ZzS013Yk6jiACA7W8pbITpz/BGOaz0h5Lm7Yzpn8ajGWtMIPnJKr8h07ECdsFpibvtKmRsJD5NmvW4V5u8fwQd/YCxGfaDJhkQZbqfjOEaxOq6ZGvFyxwrSg8lL8K91n7fiK300V0mD7TYoDmO6Y1GD8NeHXiSJviQMC12xyaQgWjwRXCuhael4jjd7QXVLQECTd5b9GQMnLXtNjb4iOddNuTvvM2gZJjtMQova9yYXAX9QmXJz2Eai6RRbF3akfkMOZBhpbR6QiuTn4Rub6cceX+wGQrPCZcaOztB+k0mhUmlPayZE3H9bgU0jJOutSuS+UWXv7/8ovrY8xTbz4kQSdt3kxzIrWIUD6armq6ilXtPpRzNLISKgpZsSijqxnUDxfXjF+4ImzaFRoSgBRbNe/YzTOz904v8MD4Agi35i8bzqnQiMKM4wFGNLrn0RQkmdTTCy20SoPTikkM4g+k2aJLygy1cFOfYJ4IczQugo5AihHYq/JCgEWbNx9DCka5mr2y+ruyAXel5diRHxvEUAtigdprpvU6L4RRh0eZMHxOc6hdMa/+jTTH3XOHneIXiCclFsgLHbSsJJEc5rY7RXWNz0NTgOnTcFu3+vUIdEMchfr+YcdI4bIdILLcFy/63Cx1zwyKjHMIswOYGZ3+DegGE3D5aOTHxPUiAYf5/nXCEZaVJtjg142I6obYkjUtwPeBixlQ96JHsepQjNIfg6776dD9XCoWgzndKzMpTLvnQAD/TYhQaiiDBt65el23AOW9uRdJplf1ioi0hnb7j+stQmDgMiDtw/nOfyTm5ZjyBxHpfiENMzXeN5riqdoYpleTPNoZwIlqQ/ZzQt2zgm7acS+Jjb/ziddeqMLGKj56n83xVTlGKWVImaul9gVNZvw+Zhw8gIlqQ/ZzQt2zgm7acS+JjYRqLpFFsXdqR+Qw5kGGltHch3v33/GwqMgrElI67kLHudZN1S8ImNTcZhHUpGrEfqBWH2TAY2pY9wQ6jWpCgxIdk2L7ReerNdDRb1zVPAqgk9gKWL9wjfuhNB7ipJ3O4MvfX2qT4sLymBnEsp7KrFBcCmVN3P1/ziJSYMUHYQNTG3cbEOD2hynkT/K2DlJrRjFnZsRLh3WBhBtf7xOtDSSg3S1sSXe1gOWMCKEc7W5KFezIKKs82hK6jSyn+B9VPYdn0iCNgDZf71BChWoIUaX1zrKdLsbZ290PNAS00aUb74odwki/ZhVCkSmdT/PG+jmmXck9pXaV6xAei/Y4JuUupYoLrHNLqg+G7HFo0RbvA0RW4ufI2EZYeXSCAo3OhWV+jFZWKne7P4oKsBagQL/ImmkuGWE9ePnRlJv3HVP7CTlhWghyRN0Dgyf9yeDvU6wDZKQRXk1lCqIqXpXxDhBtl5/HSzxRltmhpw2xlko/YC0A/ku5/HgTjp7oXvSq+ngJrT6rRypERQu/+LyXVq4nLrPhy9QsF+qmg/f9j22wsBrxIvMlHnLshrhhXJvUDJWHjg8iVLQMuWA2pXDHHLY6lfgHXoZGz0eDaUfjcfZQX+SVYoV1wtfObwHhgHwp4zHO4fenAEL4wA7H/L3c0s3nh2CKko7LaUXcNNYeftQ0U+Dw0DdyynnV9YpuQAA8KLZXfyFPd0Zj6DmuFo5nkzr9ZbxZX+jwdMlMNVpKXet/BRQItDn8oruTdZmelcQG/I8+Z4MZKLMiThMwezdJk6eTSuMFV9O9tS7qKX7d2t4en+5bGDosBgU11yga48H63L84hnPlCO9PbUrJ66DP/g5YLQxcH489SBftwjlwIYnBozZcWGFjJaidbTmD342RfVTiYAMoq9mCYFsrnDwDQTanLs9i7F/5zsGU+/huoKPiGTCxXGPsaNqPE1z/fCDGr7hwHLr/rXKaBD0l4238soQGT9Cq08UneOhoJpr9yaPQ10LpMyd279wMlIYM/muYBkUhpJ5BG/PZh9C14KWbzbs53WZLmbYFC6HS0ta8WzuPFhfY7tYvxY3aMBGtXws3yg8QDCeQyRp27B+MPacAqJHCiT/cXoztlpEyFarzfA6TuvfnD0JsNjxFIJW337mbp41/KA63QyPcItYAUY+awurk52TB3XVV2X0BjLE3af1xmC0MXB+PPUgX7cI5cCGJwZz2Nion3yON9yEAUchYSNkCdw7+nPcICm4ZN5f/suChJy7PYuxf+c7BlPv4bqCj4gLvmPikA0vdL4PTx2LtiMowcw9CvKH4Y1A+8I6Jaem+R/aF5n8X7zIEA57uofUHvlzF4gCNHLBvRhO0YOaDjUg6FksjBk4djZDYXeNIEPWtYkpTS7irUGQiO7kz17c7Kk4pw2dxGpCIYL6fOcZJJcg0QjXfqyxmnd4kK+hf06zx8SZ4Ul7a9u6DqaaRiVwMvbpEqfwyhpSqm3ELgOmL7M5YYTVkmsv1sZfAQBH2C1YXpIDKHfzTzkypKE+ao0kdi3mmXck9pXaV6xAei/Y4JuUe9CbP+Rm3vNFXFhpdV5nbhB4bxU5xFbxxTVmflX8VdDT0hkWyBO2+bYCRYpjbTODQsYHXNCwJQ6Xbx7JSLxoFzml7HGE0W7jSKtsK8LQGIQmQ3zaWhM5HSEkPiqKbrpVCpqCwDuqnZXqbPuv6KjfllwHzNo1JfwdmHtmqqM0Nyb73vXFn9RBBJ9G+xX543XeTSuMFV9O9tS7qKX7d2t4emoKs0SosJNIwmBZZlBmF5CDSPGP/jlp9Jjx+G2q2t6PAiWpD9nNC3bOCbtpxL4mNkcHE0y2zz+6OaPHXsFKYfDgi15SoY0SlqEnqJG3hzdaYLQxcH489SBftwjlwIYnBkVU8+hsyPNkwlRWv6y0xCB1lJYk0tjQSQk27++hcVF8b/Z3lg0+0G9Y+z2NWA2EWTLQDsaWiTZk5ejOp2ZKV8xHNLqMXeM/MtNQ5Hx1rr+pMLnU9fEIuHbM3HYii+mqHLH5gA6KCtC/2G0hr/tsdlaIevncyoyazBc2+uw9PTQUECRXSRtabKgY07hPK/LYGbCpppZHfEaNILWHwyPIr7131C/Tqu4LJR9kbmbH1gP0mgxDua7syPUvOqmDqtiB5rB5oegYghZRnusBxQXMC/+5wawH4nvuqdC64UFrhW449p+MEhdOXzn9sNvLupvs4f+SbbXuc8EavDxvefHQn4d+0eTrkQuguhrBbfRRiwLQJ3MqWV+CVEhx7sQ1NSCA89VwC1LtPfMz/zIUNdIO09e/TBSzh5wxLNmlmHbl/BXJOKcNncRqQiGC+nznGSSXIEFj5aCMzEJgt3rq48dKYGlcGhSpqrOjZ7DwCggOfBSpmw/ieUVzxqhPk/FK0tHFaQIlqQ/ZzQt2zgm7acS+Jjbqj+DON5jay+P5UNfDFoLNjkZvQrxkrBfa9TR68LjSnUYywFsv0aT2v3VScQeCBAgi4qZ0koMbJe3ZUwJKULa0WZj2pRCXmBoecLJ9ROfEKiKH8Ji9WkwKwxPtYhRy9YwRV2cBy2cHpGkL5KGBJb5CYZEGW6n4zhGsTqumRrxcsZO+zzyjqNh7JYosiLb7uXyMhnvVwNPHPLr1rCeP+vZ2EVdnActnB6RpC+ShgSW+QmGRBlup+M4RrE6rpka8XLGkYZR+E4dR5NG+pfJLQuj1e+yd4Bsq7WBC8ZY9Txd+3m/2d5YNPtBvWPs9jVgNhFkjGosx5EKpAqsnsRQnDaOGrCYfmqbiFOKdSqpadA7Kn6GQfvUxtZgcK55T0BOUUvqV+jFZWKne7P4oKsBagQL/ft05iajk0YWQHW2LJ5ZjukT4HKvYm2oSTyjkFyMV5dXkljZRuUX36roMYgRzKmvN6RKn8MoaUqptxC4Dpi+zORrExURwPODA1vSg9JDKnTC1DbhKnUNokZ4zK+LDAFwFU3NyPpN8uWKgdGRhOcJovOo177CE+GtVNtQduLx8h+aeBqMz3ntqGCeqYfIIpyyRRFERg+FIlLexp+DaGG8cwp4dgipKOy2lF3DTWHn7UNGwnMT4PTrfcQjeAXYqv6WY6wOfpZFnTwUhQ4bO6xQ4QaxbkMorx+R20OnqN9420wA2N2hTPuiYz6fDu/ho8kgStlRb+TyTk7swE5RUZBQyLDgMjgu14h38pY9QtQBZbUebJUwV3VgRR4cujq8SVMWmmyKZwBfrLGMZuHSlK2s1y7B5oegYghZRnusBxQXMC/88jujS6g2kyozfakthU4NMNWo25qu1XXkfNBYXVCW6b2C0MXB+PPUgX7cI5cCGJwY4RCGYSbuCCZKFlF0Y323Aw+F7lcfYWYlsN6/AXqdEVpgnnDBDpf0YMnlXFjc0sTtRo38cjhQXoqNx4RKFLKNj+tdOiaiAcTc4eYjHyjs+/5y7PYuxf+c7BlPv4bqCj4hkwsVxj7GjajxNc/3wgxq+fNKoIe8AD6TZajsBZBRTvfPmYWSCUWsi0csVcXS9MlqeHYIqSjstpRdw01h5+1DRYGddbSYREsgfKgl/TLVZ7nPUBp7zsihzn3nGkpiNVWfnWTdUvCJjU3GYR1KRqxH6oZ3r5Tu/cpQN9zEaSWUGWvNn1FwkDDdzdWXxf/X+zqz6DVwXp3soHHSTLkdPSXGyjPrARnWo7PJ25/oj/dz/WkIycQ4yDNfcUA/W8BreG9PrCPDcoQljUe0PbPeXMLFeb4kDAtdscmkIFo8EVwroWsHsJY3lW1nh/toNcxN0XqHQVdYRBi95qGw52ilN1J+qyGyG5b9BSsnWf3yzlNihtxk6GJoX8SF7arAC4CNrGXCtxaY5OcqTW5OEApbCjicclfoxWVip3uz+KCrAWoEC/yJppLhlhPXj50ZSb9x1T+y36VcPpG3qmHy0myPPlxlMPPOe9xWifXC8yw2LStdWJWGRBlup+M4RrE6rpka8XLE+4ev1GTepwFCY3QYG8qmiSKXoHyhJ54h8xX+TcIk6p7NvkTGmL+k50bIqg+al92fSOwURCowl8ceRviWqAvTMQWUx0ipir7JY7JSVa5mIu+blqBGUmiQXhmBBxyppPyBxhRQPqhhDrhuwoaa7VlSUJUZZabXzm7H8O+kOWakFPgIlqQ/ZzQt2zgm7acS+JjYVy+glqLuPxo4USBMZFrnWOGflVxcJZcY3EQH3w9ASr2C0MXB+PPUgX7cI5cCGJwaovOwzMEy/AlNQ+vuxdxCecl7u6oW79Y2YP4x630ShqxzCO4WpedgJYsXPavU7KZv3Tmiqu0Nj/zyTKl4hTZHKpEzbsZ+LYhJTC4Ilb5pldc8pRDopt/FqGnqvDuGc3pFzF4gCNHLBvRhO0YOaDjUghUNvyih4Q+1EYkua3O2do2wJ1EZa5LUSQXkW1vXKJm1viQMC12xyaQgWjwRXCuhaaj9PYDOdK4Vos6p5u4QOnirWoW0rVsxkJmf5XI6pixwWfmZiNriz0wxRIvRKtTkMUwtT5w1ciWaCbyJYQwqfeFHn5MPnF3O0oZwk4rRRIGxb5xA8y+M7Q1Z65+rVrAba6n/JUEU5l9/XI0TyznleC8tW1Lg1lrYg8lfcdLWX+wKo6Ei3R3O5w27x7pjNxCy0aixVVPOFzSmyscsKUugpgrrbFGPlIlAz7pvWFIcEe+voc1Q4CM2FwvDC2A4yJl4Hgawf8cZbsEqZy4sOOPup3u/dzWoTmZD2z01LqE5BCD4zH9Z5K+pu4PTo/aQAEmSwuITA4AEwJxspjf24ZfgQGrXlRay4tnU+0/oLrvORaUf9vNcYhgdGEsCivya5iMGnYLQxcH489SBftwjlwIYnBvpveLxgkmKokUog4NQGaD5gblRJthEsqfvllpdqqopN/en7ilcjVT601nQJxsKxkMkktK+88wVBNi6D25uad+qjeRwjQnYRsCXpIlTXpnjLJ4vDmIT/vXmkNTOphoJYRXXKSIXn7mLgAEqzSTOw/6dfxvWDLWtLgmrH3brFamFxqOhIt0dzucNu8e6YzcQstAu+Y+KQDS90vg9PHYu2Iyi+AGZlsMp2QEu+XS2hNMV1nGfF2wEGbrGt1D6/pb/lPGTCxXGPsaNqPE1z/fCDGr6pkjNLHFGVGGxT1hyru4i1RjLAWy/RpPa/dVJxB4IECCLipnSSgxsl7dlTAkpQtrSqhHkh3HsIxqzhHW/b8p9EXyu1w+X3E+9/RpTwsbOkYrNvkTGmL+k50bIqg+al92eBA0vUMec+MOt2WyBapTfsSn6Uy4IW7qYso4dEGV/2Q2C54Ek445ehTDzvAiBpMKsCQCI+wOzYXIzg2JDGYkqGz4x28bE/kr076ZWGW1rq/pX6MVlYqd7s/igqwFqBAv9+3TmJqOTRhZAdbYsnlmO6BBDizBlzMtFYgPtP2eqzS34cfSFzv0RVrgMRexPSu+4rxzHf3LrT1B9HgO1WanC3VMUFR1GmWBsy9KrlKHIg8V8cUef61lhxOnZ3bEhiL9BviQMC12xyaQgWjwRXCuhameAq4wjkTnL2cEAUKp5HcCXxAK6QCKXOLZ0f9B4U4lYdn0iCNgDZf71BChWoIUaXRuJ6sUBxox1kUJUWl30rCBlKeY2/n/wjip6kKROmySzmmXck9pXaV6xAei/Y4JuULgqxiIhA68mezblxx7QgftVsWKaEtyEFtUfJcDldmLPgJrT6rRypERQu/+LyXVq4m2IKL837RddicxCM5HeTcbkDY4nzPPIp9Ln272IIPPIRV2cBy2cHpGkL5KGBJb5CSzzWrUIttkSYMyvdaA8Zoj8jGUn3Phf8AuyUl7bWwpTJ+8hMg8TxAaxuAvpRN/dzGfRfpy+0quxR9rh7fVM9w9RQI15LtO0mYq0jNC6YX7OToRh3/5QTyUtVq+Gywwus6RKn8MoaUqptxC4Dpi+zOc/o140mE2CFBffCQc0AP5tX8RsXS3cp+xRFr4B5P9Xd5pl3JPaV2lesQHov2OCblA7D4jRATBsDnLQAKjVyJiksHAMJCvGui1rIkEOJCpGU4Ca0+q0cqREULv/i8l1auO7yIj3eLYYo1ApbQFZN7ZTdnKO3jkURJFfZRvCjU4biEVdnActnB6RpC+ShgSW+QmGRBlup+M4RrE6rpka8XLHMy8c2rTYTMwEkOWYsBhQL/5Jtte5zwRq8PG958dCfh37R5OuRC6C6GsFt9FGLAtBs0Ve1AbRmkNKmvlfAfUhX/5Jtte5zwRq8PG958dCfh37R5OuRC6C6GsFt9FGLAtBYm4/FJ0M+S4RI7mlS/NhKImMabZym+18bT9ojbGqyT8WdmxEuHdYGEG1/vE60NJIFV+is4kvkctcdGBCdYIRvmxGbxcOjrTWhmOxepmhOqgIlqQ/ZzQt2zgm7acS+JjYkTaCL696qko3piPv6PbjA7w5ekO85aJSAY8TGxhBajWC0MXB+PPUgX7cI5cCGJwZNd0GKfaatq5A47Do/B11JiHFNVWTu/74ES0cYgeXk25X6MVlYqd7s/igqwFqBAv8iaaS4ZYT14+dGUm/cdU/sE4reJ/12Pb+2xRjwV1YJipy7PYuxf+c7BlPv4bqCj4hkwsVxj7GjajxNc/3wgxq+Ng6GXV0lwuxrwUjNM1dQv0Ej7A81VC2LVB9/VagXFUZdC6TMndu/cDJSGDP5rmAZvb0OnI2BdteBO4l9p28u1uFLN/mKcmE7FE3TzVT3D0F202WF95jwz0wTd7CkpTDCONtCANJ1oyWbpjncxe4N6kWOthT0jFRf2c7OgRoNI8NgLhTewIaZfSiXvJXpET/Dp+/2Rh0oyCIb6Mf1DzpnGTgXpdV97lVSWS070GxCpMjfM09U1I4fQVNhiPXMYGK/aJaEnMIs/Y/cUi3HFhVNM1xx2RSKOZShPAQFn5XeTOn/km217nPBGrw8b3nx0J+HftHk65ELoLoawW30UYsC0B5aHgQhqNFS1zuWZz5TZodQj+Ioilud9NDh9J0R9HYzs2+RMaYv6TnRsiqD5qX3Z2/5EWxgUfViWwC69DpVQLgqgzN+WetnHTC/DoHNoOx/9ZbxZX+jwdMlMNVpKXet/NuTxmNU50a5HkXDLRzOP1idAxbgEkuxzr2q4Hornj/on6abYIgRYKwE95hwEpmCmNN7FF2OL7GYGoxzY/UJiemfLu1eGFvvb6Xd2g0xTdMk4Ca0+q0cqREULv/i8l1auDTZX38zpUvSh40HIalB9wPJnW1zy6ZQ+HHEAXuqsmjAnLs9i7F/5zsGU+/huoKPiGTCxXGPsaNqPE1z/fCDGr7t6gnd0nfVqe3zayZb6B+HTr6BXIbPdb/CN6WQ5AkLAcWdmxEuHdYGEG1/vE60NJJgp0s8Dz91zoRMdrNGcdTtwOPZ+SjCJi//cKL8bBWYHOkSp/DKGlKqbcQuA6YvszmKP97fa2mm4Dp+mGtVui7dqt23wnTBTwruLBtSrjo+nOdZN1S8ImNTcZhHUpGrEfqoPfqlgcQlqfR+ovBXNHcnzbgr+KC6OlhhqrrRkgG1K98zT1TUjh9BU2GI9cxgYr+TYfW7usQRII1fjYqJ66qs13D5tmhjWEQ2KzpQZcQm6hFXZwHLZwekaQvkoYElvkIrxzHf3LrT1B9HgO1WanC3WsAH/Rj9dHWvpwuy5W06N5fLjyNpDvEPeQ0SgUuW+egzMGxBQ4d3BrtNBUJQXuJAXjQJwNEt1fxq6+S0egulHbtCeWF6D/g1OSzUNCaFovqV+jFZWKne7P4oKsBagQL/ft05iajk0YWQHW2LJ5Zjuktnmt9b9P/3TUlQN4FACs1VL1WwQuiesoUKvX7tc6HeXQukzJ3bv3AyUhgz+a5gGcIYKjccltebxUCQ1wXNFH5zi5owu4I0Rl48WO5KH2w1OKcNncRqQiGC+nznGSSXIMIqRhuaOZIwtcuZ78O3MC787AmWwtUhcUH+GKKyPPxu6RKn8MoaUqptxC4Dpi+zOZ+0Cw0YVJbW0CRCFGTrhAn/6qnEft78Sf/OG9HDUxah55DFVZwnvK4SSl39JveXH7R0954vou0PP1TXBRTOs5mA9oP9eOozxDtSolt0v5eSEVdnActnB6RpC+ShgSW+QmGRBlup+M4RrE6rpka8XLG1bY73bqlMMqapIebIj9it1515YUiMavu9I/cmsGB0tJMwsCahM0kS2dsBsHD/6m6Wk28p/XuNLQmhyI/+ekPC04zoLrUtZN4LKbPvChONpsWdmxEuHdYGEG1/vE60NJJq0gSUycy4ASIYAJAbAlMxzLP3ATWkDANnQtGufx1x4OkSp/DKGlKqbcQuA6YvszlFaqgZmb4BdxmAeLaOVr9ykm7cOfYOMwiGSfKrY0RngpX6MVlYqd7s/igqwFqBAv+YVI/wy0oEO8w1VKYCz/vmi6XhV8t9s7t/pbMnqtlWX/+SbbXuc8EavDxvefHQn4c+8sW2AZpdynvDks04zEP0iV+J1fvDmyaWjRMFVwkMI+OkvEjssQw3TceGtyCRWlSeHYIqSjstpRdw01h5+1DR8CADNv/iXVKh1uIN+qlUVKWoNsP78/GSWcTx4yy11Oa4hMDgATAnGymN/bhl+BAaDDHytP49X+inSvwF2XNBlUxTXoP22YOQqX4ZiT0dZzTm5agRlJokF4ZgQccqaT8g7UR+JdXJ8YZaWvzb2T0YBroctziu6TYylLzH8KDaSsj4JEOofL0vlQRBTHCgrIQK+/Uvc99g8737Xg/NCWe/67Rd9HerT0/1a0REQxfrG3EOeJzK1K49eQPae5EPEc1BcjDmrNS5QcvsjZWfhWMyRAVI7YMGTr9zaTaAF2guM6+F3kEwl4YD8TLKtaehxKo7wAHAEY/R4Dvp1c68KVml1Yexsiu35vCZV/Bw66v1tHCeNv664p6JhqRQl8Jddt9SsjKH2CGYuw/tU6D36LFU6wFN3XqpAdQGj8Sv19CAQP3L+nqQH7hQbt7yl/2gSR42OKcNncRqQiGC+nznGSSXIIQnp7bIaF/uPezA2DGhqVZ6KQAT4Htt6aQWuHMEsBoi6RKn8MoaUqptxC4Dpi+zOVO2rGO9JhnIs8ePBfy/ArhRvdjrMh3/+h9LAmMJbgyfAiWpD9nNC3bOCbtpxL4mNup35TBc/VYT1/bCXVJPU5gzEorwdXz93Bt3rxWm1mqMYLQxcH489SBftwjlwIYnBjhEIZhJu4IJkoWUXRjfbcB/UzVCpH5IS3xpq/tRH8QzXEztWN9ILLYdqbclVNbzc0wRVVolLGcdEikAQUR8gQ7/jyPn5BhKLUmbUP53P3aERI4KgLTgcXOZim16IaFuqPWW8WV/o8HTJTDVaSl3rfz7Xg1J+Yz4xIr3P4bb3MuG99C4/8Lczl3vX8K4G8a7kOaZdyT2ldpXrEB6L9jgm5R2f7dmkrYiYL63+Zy8OGHcLKYDNiZ+bfqvMCDrzqrJHOGC0GW5RM/9+hvxvZHtlpKn9OkhhmMLVbmDoxUvE5elExSp8PCJUoyAHRU+P1ovDW/2d5YNPtBvWPs9jVgNhFky0A7Glok2ZOXozqdmSlfMGvaZCrqhFfPLz6bCpt/WKtscO7ayipglxugGsVvV0xLJJLSvvPMFQTYug9ubmnfqxpFPDxt/HwIoFAzWQfLoUrzM82ctmveyCU0i0roYBRPpEqfwyhpSqm3ELgOmL7M54EcW53H+SpOdOUrK8bUyCE7lnpzdjMcUFQsErWabLqTnkMVVnCe8rhJKXf0m95cfCSxDZWd7cxiNNaY/bfd3M1+TK/O1rwQ9geUiYXZYMaP/km217nPBGrw8b3nx0J+HftHk65ELoLoawW30UYsC0FdsY2VKEFVO/dTOqw0/xdkzekQca3mShP6/vlp6B0rFnh2CKko7LaUXcNNYeftQ0bQ37Qj2zE8JOuglE1QaMQvB81sAFXS88wEKH6qcZU8FxZ2bES4d1gYQbX+8TrQ0ktIbPlSqSPtv+QCzrvA8lsXwvLbOwJ7efvWYFBttL1blAiWpD9nNC3bOCbtpxL4mNrzqMjFiMcTqAop0L6JEz06mvsjhGWRdSLPvwCgOzXkWrejgBdEpUf8e8lfaxcJ0c7RanQdnDQZ9JE9Jspz2t+peR0MmEKyaVN67WdAmAcBJYLQxcH489SBftwjlwIYnBmklgxPhKnfTjCt7T0SclKzpTor8ihe+rapWY0hkU9vM4Ca0+q0cqREULv/i8l1auBU2S/tj5mO7QCj+NZ6ntpVfhw1AYE+YqEfa/m3kqVCG3zNPVNSOH0FTYYj1zGBiv5Nh9bu6xBEgjV+NionrqqxRj3wBUqPhgRlNq+Lz7UYc/5Jtte5zwRq8PG958dCfh37R5OuRC6C6GsFt9FGLAtBdzlDiJRJbGyzNZPoQXG94LfaAULFuobC0DhVq8mZE/Z4dgipKOy2lF3DTWHn7UNEAnjSMrrlGfJh5yHPi+kazjhjocrXEYpoIQ4Is5nWIE54dgipKOy2lF3DTWHn7UNFQbrpFrAqu8H9EQAbmYr8LLxyHGbQYzk/AJjezOFJgmG+JAwLXbHJpCBaPBFcK6Fr2b6zPbzM3F9ccpBTW/eBPlAg+dqtxB8+7vm2D0JpEM5J0XAgty0wffOP9v73m7aO8Q/XMO9ddN39QnoB/UBW9Ku85n4nGEQzPx9FPNO4Z8luuciaJOI759f3BmWlNQsIaxMVEcDzgwNb0oPSQyp0wPds370eqc3+qK9iJB8FifOAmtPqtHKkRFC7/4vJdWriQ9kT1Lw0NYneV5CoxfQF7MuFuBCrTWZ/N/Mdmdn25eOVK7KVMVGkyvmcGP7/SQVZ6likqeMkn9l7EP3C5YUAklGVmKqrO+Czl+4O0+sfzQ2Ccq6i8PsEo9/AfSKih1xv8/wXpWplKE3ccu/KRiAxNSJnOeRIO32pxku7J2rI65XxLCsVXZ6SGaxGN+GzwSYrmZDGZw/wTXHteOb9cDmG4G7HnbPt/2iia4zSx1P/eGZVgU0CNo0gHdI7hGKt85g/q7UGQsk25jQWxIXWP89h2Oa2msvYeIiyoAq6Cwqe5hK+HmhRPzYG2vWSXktJb4TIIuklG+7R1V3vAfmsIuMjghkUqlOXnvS7OhJNCm7vFfhYT7X1H4n9OdMa9d1jWh5sYbNJ32j2OwnqOmaSoMUdVz2jRI1Yyp+XZWm2zzfCciUFAOqw0a/JF1fFQhU9F060zhE7SIg2myWJL2gVnjHUX8NuqfHTDlY1SLCBW4Ko1CQytMiV6RabbZto9YeRkBYwVHkbjl8905mTSpcOmrYX/jSPBHyihcIp63x1dJC1Tu8b4nCSo71GEYP/NrvbgSzrBeqvDkDMJQLbSD9KRA89MBpdyF2q8XHllhjwkeqNwb+JrO/GxBnsIAtZkQok3IsgpHoESqFdsIFYB6zBdTwa2+NPGYXyaeVU9ogCLNVwq6sjx3UAXZc+O2X4NRrq1cME6bQ1khPB5c2EPvS81qzkz4Ca0+q0cqREULv/i8l1auCKfWH+hHOupNUsBsK9H1JiopE6BqAfNipyZTofgzs5GlfoxWVip3uz+KCrAWoEC/1q0h3jbsa7ckTSuJ7+KaADKVHLRYYjs1mNHp7pKK8mg/en7ilcjVT601nQJxsKxkMkktK+88wVBNi6D25uad+pmLndEBt7wXApi8dqq6IB8ntHQfuoB9m7DBPevljQZe4GocXWy/aBbFtHObAURcvE1UxZjSmmj3gbFN5xlJRpP/Y9hDa9QhBuxKNtrvd1hwppp0eP/RNPQUcnxVivmLZarog72PlXWOeqrmbWW1clYCJrOv676XPD2irP0KZciAk8Dt4lOaHeCOn6QeeGB27lf2/r56+UA0oFanzpqIqykZkHO4KHPYeiHJ9OpgoqffdscO7ayipglxugGsVvV0xLFOsM36eljwdhM6deUFvPt1z1nS1o/yES0csGXDRxe1SqKDmisLpgPbVZFT24c+p7aDvsXTwn1UTQO18f5hqknQNSeFJo7m+SC2hf9+ngKWfwekN+vXVrIiqPOE5VgM0QdNaHu7yIy3Sft7vM/Xk8fRbnsCUbzVfYyhXKQMMtO7NkXuxBw8lGUjQ/fev4k1lLgJrT6rRypERQu/+LyXVq4lmDSrEmM+pnmlGhB2rvaL48fMMgxs7LXzayCm4K6sDD2pcXBFB2NvXAqqDTjavODjuosiJIT+yWSk9MBwjxlwKi65zIzCmtz/AfbD9K5+zzDz8lAIpIs0s+psUdk6GFC4WH/YiNwLIbt3UJGisF1FCzN9ZbfLDs1DxifBN7fXDnURooL+OlSzbMQFF/1N6rhb4kDAtdscmkIFo8EVwroWkB9dtnWjLgkjMvjXiZiLDOA5v8v+PfX0JJBsRTeZzAb/l1Iu0yad9V8XlxZTYfNUfr9R9j4GW2jbnK//tELE4WrYwZxbj+btaoLpjzNDz1+51k3VLwiY1NxmEdSkasR+hzzHwhL9f6XLywemzu+gvIhF9V2jrFxsruRmk81akhKnLs9i7F/5zsGU+/huoKPiGTCxXGPsaNqPE1z/fCDGr5jA9QtRgmxmSQwrXycGbW/Rq+MdXK6iMfxoDkXBi19Rp4dgipKOy2lF3DTWHn7UNHg7TVkB8kUprF0R9LdMzzutw6/LIt+d26Jvfe3X70bR8WdmxEuHdYGEG1/vE60NJJ3pf0QQfQsk5+Um4WCh8YKSVSeAoxWItBXtZyAMObhh7iEwOABMCcbKY39uGX4EBr6O2b3aqAMiEnsUnRcXcnPpBRGVuu6FzErch9UT5yJG+aZdyT2ldpXrEB6L9jgm5QfGT1Kbg1ccPUv1CET1yUyHjayCmM5aln8K3bNXVpO7WC0MXB+PPUgX7cI5cCGJwaBwnDnlsBpWrBFyyYACptmAzUm54lXCA7z5APQbU/yUt8zT1TUjh9BU2GI9cxgYr+TYfW7usQRII1fjYqJ66qs1ZM8woj+BZDVFVvZfi8kQxkwQrouxqk+mxn902b7hENdC6TMndu/cDJSGDP5rmAZ5/UDar0J0MbUWMKAKX8hs9lVSvEP1rOx3T1H75PURKTmmXck9pXaV6xAei/Y4JuUiY82EQVQ2kqR8DrN4hQRUwQDJ7MhRahH84Rd75CRtVrPKUQ6Kbfxahp6rw7hnN6RcxeIAjRywb0YTtGDmg41IBBMlurskcAkNoV+qyZdusRYMlVqIObwAB7IdynxsGkj/EbUjqH5rAvretftN5MdfpwFwHEuSRXvMck/1wpgJBjpNkC/ci6m7/+60CyPTiHlLKh15Y/6D9M3LjftgPWFEg7Js33/PoJKeXcmdW2SwuThsZ5kbDs+Ql6WQ3gPRZ0IxU4N+74z81kt3NAoAg0tMc/o140mE2CFBffCQc0AP5ufb3FG+v4hgWJsZmktJIGsAiWpD9nNC3bOCbtpxL4mNtJRNpBaytq17+KNEssCaGN17MIFUgKuFnub3201LO0Q1iFA+mq5quopV7T6UczSyIJCxLeASG2to+C74Yce/GE5AyJJ4MzD4JO+4CsEU2H0b/Z3lg0+0G9Y+z2NWA2EWTLQDsaWiTZk5ejOp2ZKV8xSWtz1tVrRdYAnrews2Ad0w8/JQCKSLNLPqbFHZOhhQg6JAIxjNnXGGrKqQW4ni1Vx4GEvwOfagjLRhy4mloofUxo10vTNgr7Cpsxs9uc3kMKZZoe1veBlYObpQmNazykX3UqmsbypZLa9rmVFOReIx0JaMwv9GCELKz9lOlf5WX7R5OuRC6C6GsFt9FGLAtBRdWfHBV6HqGbMiwll0v5DiQt6y/PCWoIHk90YEq27FAj5TQyigoOHlHQIgpE896zR+Os5JvG9qvHgxI0Ljvuu+xnl0eIL145YlHUze9l+3wTsp21BvmMsL7eMKd+C/ds9pPAvwDV67imhsICFC87l+GTXPXnRiuOxPX9HZa6VzOkSp/DKGlKqbcQuA6YvszlnEoV9RcZo+6Bfruf0d6ks1fkFfN9aln30soHn2nK+59PSGRbIE7b5tgJFimNtM4NCxgdc0LAlDpdvHslIvGgXLmqKteqYP5ouEVZj746kl+aZdyT2ldpXrEB6L9jgm5S8i7cVewLsSv2FG0q89KSVka01W/xIym7BvFbSrfl5F4b/VWcSw11jEjM/WGrq7kvKFk1VfbuoLJsm11a0XYBBOMWZfyaa4IfZzGqrmwLzkekSp/DKGlKqbcQuA6YvsznXPEm3amW5q34cgSgwaKrlQ+3Xs0j00TT+qAvSGYWeb5X6MVlYqd7s/igqwFqBAv+KwjcZiWIaBW3Z/OQe1vuKOTLyYsoFqdvwe+6hY00WAekjL3Ev+flJqk/TQFdc5SbW+tZ97kIviPiwCFGa0Ct1T6isvMaTz5RnDCVXRFkNWgn3E0LdG2uE8fMWHq37eLYH9Df572vmzlnMku5RjFyWQV7UYv4jdgS5yKuIZqW+7mValLhikozAgJ/n+7U7HEHActGIe2tdCqPRwPnyk3IXGHnjNvVGVj4VLtgQDWaK1oPhcFpbKzhCwqjOVzf2ch4i4qZ0koMbJe3ZUwJKULa0OJ7f3mB1YTybG6LTm7bCQjMNhIwc2oeCmh0Dld7q/1PFnZsRLh3WBhBtf7xOtDSSycOB1EerLKwMhfuQndue/NUAjFs18j9WlIIEX2mJigNbrnImiTiO+fX9wZlpTULCtFr1Gdwtp5B0oo1GSWXk6qxgAQgP0ZRJ3OeJ7nc8dQ9DKONk0Xdj/auhSezUdEjiXlsywiMy4Vq8IO1aYU4w7dOStM/xfIqHIGujAJUQ5OrhhfbSF1wnqqXu2zFCiIzJEGYM8UaTmvLH/KtooIRXGLNvkTGmL+k50bIqg+al92cpPW7nDvQtUFK+z2BlN+CnukVutpv5CjlQBnmPFAe+bL7IWyrKB0wL3Pg4NNd1aS8VKIWWFh2xL1vOSzNktRBfougzBoghIz64HR8ItW9Mu4LFcPwXTL8S/ZFmZ4sIKwycE+CMViQfqnTncq1NrKBBrK6aC9Zk5EzpfFrxmBXv0GC0MXB+PPUgX7cI5cCGJwa6zYZlS5Y9asiH/n4o2VsvQo2ub1s5iAP6hIZjPmAVixD7L4DChKBPoSc/WSwkL4CDQqfTKWfdguoq2+aqWFeP8I4jQ2ZbxkBV5OQywnaZT25Ixj7naS1eXIJ5h4j8pLtlELZEbqO4tNBLBptzCJ/YaJ0zibRNicNtwHrhiLQ3EHoaEsYRb3CBASuICz5iKrDmmXck9pXaV6xAei/Y4JuUEM0TGxY0jT1NokqGtBhNk9SANnLs7u0eTwswwS2iCwrgJrT6rRypERQu/+LyXVq4A1ltKTJGl2qtiKjjsAfaWBAzlVLH9jTjYejc73+sNGJ+HH0hc79EVa4DEXsT0rvuPS9b4ZlmtFIpl1DzZKh2y+f2Ifcn1MDW9XSrD99V5shPEUGHXbyK99WnOqX6lpu8FSrDnDDtbmCOxlpRAdx4AfNKh0dXiayLcOdyFfB0VArvGjc+ydNCvjz7p69UJVMnlcOKYfVRZf0U5fRgE35sh04jzPzUMtXUhwLHGU8BL8DRytLY3Rl/qGF8plxonUnKHZ9IgjYA2X+9QQoVqCFGl0kIO0k3K4xWRCa95rKLtr+ATj/+Gm5qPzwA0UGJjz4xOKcNncRqQiGC+nznGSSXILa0jH9Wk4+6behAsq1wsWrhe01uDmF+nhq5b+xOIqqh55DFVZwnvK4SSl39JveXHy3fBP5QLMIAy2bGIORe02an5uQqPRHUhHZ/HN2sKyM14YLQZblEz/36G/G9ke2Wkq5seEyzYivovOWpEtbNCHstWhoyZs5xB31vRxJZx8k+nLs9i7F/5zsGU+/huoKPiGTCxXGPsaNqPE1z/fCDGr6P76dMH28l0QVfQpl8BYvdEVdnActnB6RpC+ShgSW+QmGRBlup+M4RrE6rpka8XLGJQCkdXqgTEB2V32unh9OkRq+MdXK6iMfxoDkXBi19Rp4dgipKOy2lF3DTWHn7UNGpEr9hFFkjLzF8kPwfvCFGYhqKecSFkAwDk3L0TH75GsWdmxEuHdYGEG1/vE60NJKo87Wj4Yjyp6zLIbTBz+icaLLbBWmyX+Y2sR7WmjDw2h2fSII2ANl/vUEKFaghRpctlDsL2EobHOch13isGY7iLySbpvAu0+0snm72/ZMU7gIlqQ/ZzQt2zgm7acS+JjZbnCLqCkkNx2xNEg3YYXW7A9NO5HrdejcKOQmitKiuUOkSp/DKGlKqbcQuA6Yvszm0WvUZ3C2nkHSijUZJZeTqy32imhPpC40vOTBY2XK4E9PSGRbIE7b5tgJFimNtM4NCxgdc0LAlDpdvHslIvGgXFt3GcGyKEBVXqU82ELypxuaZdyT2ldpXrEB6L9jgm5S+0SBQXduso3Xp2oQxN3UCSyjDQS3yoz9wmUJYXNw7QW/2d5YNPtBvWPs9jVgNhFkjGosx5EKpAqsnsRQnDaOG8ph41i0J8ybCYRwSBrqLdm/2d5YNPtBvWPs9jVgNhFky0A7Glok2ZOXozqdmSlfMYSOZnWwS5LjKaJRZ/p4fpuqdcjlvRbu08NHt2M5P46aweaHoGIIWUZ7rAcUFzAv/4JIYDz6IHWDMSyafaaATO+hA/MdkZ/yI7KazmepZPEDgJrT6rRypERQu/+LyXVq41F873TPim/yUXQRE8rh/4P6/mUB0aItW72uGPPwSzjdv9neWDT7Qb1j7PY1YDYRZIxqLMeRCqQKrJ7EUJw2jhvvpBWPCryUmnGO5BLMG1713oZQfmUTaFfNKj5ZdCZancxeIAjRywb0YTtGDmg41INXgY7G/r5nSup53njFaBhyXqiOs0kY6DgeUe+mgxSR2n6abYIgRYKwE95hwEpmCmIhsEi4ya/mTm+PjhxXqewHzRANT9EAjGKrxQs4TTbFfoTOZJ2l+N160dzGRBOni3NKCa6aGOe7UWT4I4oON6gSKDaYAHyQz4DHIsXRW0ijo0MpmVZOgyD/OOCrrPC9Hk+93bboIzsN8Y5I3rMLgKv2gvq+Z4OQr6aRm0q0mNVpV8JS6RLiuf7ZqWtT/ocUnBoemkxBOXNSCscjD1xNg0C9nGnvY/lQ1dIUsM+VIRQG5ddXB4M7fZmfhLPFx+8zrmppIS7sSTgt+r8SY/3DUqk6sQUSGOmo3JC0k3UZe2tB1nh2CKko7LaUXcNNYeftQ0aD+Kl5bwiZjIIsB7wL5U8z8TOp6tHEhu7EtqEKFlF6bKoMqWZloYBe0kaX+nMAQ1+J0e2MmUi2C1oAn92b9Xpy9kA0/B0GJ93sojv/ZVFc7lDhHw6w/XfbmXpfCi/R2Qic+j/T94IS3oywO2L84hpgnSCR6V9W8r6QKRMDVqEoXpgFdYSpz2IDe3ANAh2DKdM9V9psjjWVcRpGaXW4fdcwuFfYiUr4wjNGOnZx732x9IC10Y/YmSzveKD5yPr9jWAILBN/9fC4vHecNr9u8AJU/k+QSJfr4j2jv/YxXsBPu4Ca0+q0cqREULv/i8l1auIlcjor7VWuK4wDty/h+ijZcPS7kJBkWg+3ivMdg3+q855DFVZwnvK4SSl39JveXH1thluSw0+l9JKty876o/7naYWfpEyM5QB9/0xGRQtj54YLQZblEz/36G/G9ke2WkiJGJMSm6/5lJEXvea5UuMPErcUMUWok0bEKWNUUIX8ZWvkuattwY1rfYw/VI/OgR9TO0tDdm2oCV2aJyhYRVNgWTC8Mf5NnSHb8q7iDvsLvzylEOim38Woaeq8O4ZzekZkzfGQ0oXxNdBKfpL5DrhZqEjnfNDZgQYxg/dcRO+1nacXPqQYODYRqauM4WIo8cublqBGUmiQXhmBBxyppPyAlen0KGan3e8OXH8vjpt6oEr1DK+BOyPo/LY0cH8oW+BTOauWXAUTE3w2TcN5oeXBomieZ9TQHTucMnXS8LSymkzjWPaTzfwMvGyujfyaNMaEcQRYu0WIvueD2v6+u3u9FG8kRfTIrB8MXx9EKmt0EINX50geFxDjK9y6P1Do5sCZDfNpaEzkdISQ+KopuulXD4MBvh1am6pKhOfWz4mz6T0M7BvxgxmxFO//ePgurgZ+1BvDjENvv14lpu/EhlMqGHlARQWgPKSRYwNVXR3aARmzW4vO8qzdgumrSb83ETcKZZoe1veBlYObpQmNazymDvk2gjNzJqBQSc73iHb0yubFHiBO1TgHxcFRdwJP9wiLipnSSgxsl7dlTAkpQtrQdg6z/PYfTqYiYTozRpuREVRkc4URKyKVnRSJtXbuCtGNo9Q4u6oPrTXiqKAema4UgGcWXnXhCT2pgLodbrjOV7UWu4PxfqddkvX8OEe6oYx8XXJaFMqj100uOyeW6nuadlqLBR1ta7QHCRm1HIYLZbWedSml80PdMtGwuydZDlQKkzjun6g/ZXrxpLlqzZNvloPDh5FnS3n1FBFoCC7Rm0YUXLb0C5Yj1fvUY6crJJvPSgYW4DQXufoySjkZoRXIwl59BDplbkKyunaXg+Ra54Qgsg7aH9ger08zPzm72uE+NLywsA1CisKA1kYE6I/6eHYIqSjstpRdw01h5+1DRdUUZU85bcBhXXl2tW6JAzh3pcpbHunRgOnNTazT2QzxjaPUOLuqD6014qigHpmuF24SArHphs+lrscsqzumgOkt31SghNdGswD9314FFU+ZviQMC12xyaQgWjwRXCuhanO8bxCnIZc54wUcg0IQOEO6iw0z7xKfKCZjHDIF3LIs4pw2dxGpCIYL6fOcZJJcgkBN53gz7NPclnysSx5RjLx8aEfnw+UNzYBXXnlC9jvVZxaH0uB9TkMKTLD79uTSzGPG6iiGIrwlKXi/77msZpEtAZw5g48Hvk3BrLTfL0qcoEY3L25noaKqUEC+hQgkWp7LN9VbJNjO7oUUC15QBMKEUeDJD3PaxJXekLaTjcKvDm6aTJ5isP6SVVQWfebPCnh2CKko7LaUXcNNYeftQ0YIhh8Z7J00PxXLyJFY8ROdLChQa83c9b+09qmTrO9xixZ2bES4d1gYQbX+8TrQ0kgixCMZ2BrZPdlKpA1RxHati3TQ3QUqV/aZwHUVfbkk5OKcNncRqQiGC+nznGSSXILRMQC+CAoKjTu8DGZ8owA2Qw4XevgDcj8Ylgigw2WENYLQxcH489SBftwjlwIYnBsR1KgGVd/PirFfUWIvvZG7c9cw35efbh2dtX7AIRtu3nLs9i7F/5zsGU+/huoKPiLlnf1Y0usYQzdKI6Yi0aS48rtuwrOma0e4rZZn2WhUDzylEOim38Woaeq8O4ZzekZK93QLCEFTWbU4fi1ZgY3g4jl1Sb8lCyKQ6kRcvTdgjiSFab6C8LQbKbI4EpswtLWGRBlup+M4RrE6rpka8XLFDJfJ4SCbzu2QMoTv848tV12iXy9TGIxEmZg+LCo/qyLogFnO7z1lLBaIgBD1W6dbirZC4IPPfLrPA/9BAlUnR8WB+0a7LzEbdg9iDqh8yIuHVuZdfCr0FLP32IHFFfQyk9iEqZQ2vfiOvZw8aQOtJBSGS0ugpqN9qGnOU3BVHPMhhkJa+IkssF8McaROnGL17ZHxze1eLROoDQrcBCx4QtOrqqtOukqPIoSPWXH79xSuZ1aQYliTKArkRQl4ykcrnSyjf0xds+LWBhx9lWKKJCwtNKfirrml7X2Gp4tHqlgEa4hJAIbyDOrOCdSjCAGAdn0iCNgDZf71BChWoIUaXnu2iDw+fBLCN6+lLMTWrXImooX69Hr03+4IeI0V6lGGBckUeNmUoII4p99PR6tvJbkNCUP4nY+64A/OMHE/p949iQz+9XfX/yKWtx29S2KOVw4ph9VFl/RTl9GATfmyHijGOXFCAwcz8N25ixMeEm1jTF5axnymmGG3gSD3t1W3mmXck9pXaV6xAei/Y4JuU3B5EJKQQzGic15ql1DmRlKQz3M2LybLnZdtynmexXGNv9neWDT7Qb1j7PY1YDYRZMtAOxpaJNmTl6M6nZkpXzBmPT6ZkR8GSYR5HbqhBqIMRV2cBy2cHpGkL5KGBJb5CYZEGW6n4zhGsTqumRrxcse5NnXTzIsvYoj4X9hX3M8owXKBqHCjpCHaualvnoDRL38fuXYE213c4cIMTOUBhtny6lmx+KYRQveE3r3+tkGnPKUQ6Kbfxahp6rw7hnN6RcxeIAjRywb0YTtGDmg41IJTG3Uh6WrsKq/wnmTKWNjQczTEPreBmg5PntQ2Ce/Ip8A1CXAD3w9CRXuFzEadNhKFXqIlXwV3h9Dg+PvjW1WwZ+FxWY9J6o+ThdhLTzhaZyDK9CRXt1ClLHgHB69OMhNJNsUD1xhFleFqgS0m2x+Alu1OFXekxBhjhPlnaxv/35pl3JPaV2lesQHov2OCblH8bf9Us2asR+XVvP2aJ7jGGXugS7g/97d2e7pmUJLISb/Z3lg0+0G9Y+z2NWA2EWSMaizHkQqkCqyexFCcNo4Z8n8O1xwHUlQZy2DQbcSMrQcS7Wxx8VDPng2tfpeEeHrUuutD72oFI6YI5WW2Uonnz8aaDrg39sIScTdmPtlTd7OWRFaPcm7GKhXP63pIt/KmQeUSaOF0JUq9mGpcY2dstlDsL2EobHOch13isGY7iNXcQxt8vT7aLbpVcdBi1CuaZdyT2ldpXrEB6L9jgm5TUQz+wTu7Ztz0oxidriA76R6iwORkMEjkWM6fyG84rUOAmtPqtHKkRFC7/4vJdWrjUXzvdM+Kb/JRdBETyuH/g3yhj004LYXxY4nRz9lEWeMdUapplWg1u7DcDpYtCUMaT0Y5QOShj9QmaPHn7Jo0Cph3TLLF6hy+0O/nakMhywG/2d5YNPtBvWPs9jVgNhFmwd2iH35e6hzQvcyb8eSXXCqI3+M8RFZMtDVwW4//cImTA7U+bJxq6qjqZ29OW0WIp+e7XSQ7CxjpF5vYwSCsJTTrqNxD4KQXFksjE1XloShiRe5ZnyYuDJQ2jFQhP0+lbrnImiTiO+fX9wZlpTULCupaLDrkmo/4VKxYJPArPuWmfO4ZMJM25+loTSNUqPYzhgtBluUTP/fob8b2R7ZaSshy31ZuluHvXC7YMVDrsDSHuuJa8U/BZ2eX8hpqdErlv9neWDT7Qb1j7PY1YDYRZMtAOxpaJNmTl6M6nZkpXzD+dK/69Dg9p5IAtZHMbb9aaxtzND8bEbZ1e88LCtm91KoMqWZloYBe0kaX+nMAQ14fzTBmBoXfGSNvJfHeea1TTzSHySOcOgt/7ZFGPVgy769+cPQmw2PEUglbffuZunkJZcBj6UDP3I3uSVpXR+lHSvEbyrAYoCdWrq8W5SdJR8y88Tyv1FHjU3Mo5RsbdD5wFwHEuSRXvMck/1wpgJBgOENj+xN1SNogoy2Nmx6wJ5uWoEZSaJBeGYEHHKmk/IIzcGhlnaM+doUS96XwLsFyBw0E5L+BKkFzkQOKVrcZMHZ9IgjYA2X+9QQoVqCFGl4ymrPo5nJhxmTs1z871c7hPE9KIbC8qh7XtO/RZKZng2xw7trKKmCXG6AaxW9XTEuNuwXWfUQQzcRdVGUMZxtjIAYpYpd7axN+7JU7ov7FSEVdnActnB6RpC+ShgSW+QivHMd/cutPUH0eA7VZqcLe//d2vNS2jWoa0RguS9wixb/Z3lg0+0G9Y+z2NWA2EWSMaizHkQqkCqyexFCcNo4bfi7mwZ8jMZKiVHcaAt1Q7KOnibqKC/8dFLB5xT+AhRGGRBlup+M4RrE6rpka8XLEmfe+GwQkV0f0UU+J7A3efN/oihANKfisG/jcwQV+jup4dgipKOy2lF3DTWHn7UNHxTL1mMg5kH06RXN2q6f0tzylEOim38Woaeq8O4ZzekZkzfGQ0oXxNdBKfpL5DrhZa5jak8r/Tntyms0SorpaoR267JMINaT1Jh+twvSX6+B2fSII2ANl/vUEKFaghRpe0eUGGud/4Ay8fl2LJ/MNwXSW3O3Oc9S4k2ogOCj5lDh2DMaB1RbhuF3+zu9Frnhd25cbtZvp/WR7F5PMGz89mYU5IhRetx/DWnzavOfQK1+aZdyT2ldpXrEB6L9jgm5TaEjWdabVvTjc0LL3EQZTRLafQfugzqeyJ4Tzdpqk9pZX6MVlYqd7s/igqwFqBAv8iaaS4ZYT14+dGUm/cdU/sfmGVeFOcZcg3H4bqP3MOWBFXZwHLZwekaQvkoYElvkIrxzHf3LrT1B9HgO1WanC3fWAay+izsuQQyUlbzRAZyo4Mv+AoCHsmQToIStAs8iLActGIe2tdCqPRwPnyk3IXhGW/Q2ll2IeeayHe5RCm60GTAaOHPtD13TsQk1NFQCKwfYfaQjuohbJtr7NyKstL53Cykr7LkOZaGem+Q6EGtx12wSh2WmRMZE2PtmNvNZgi4qZ0koMbJe3ZUwJKULa0wWm9O5uvn3wuSuCt3GLJfUil6B8oSeeIfMV/k3CJOqdviQMC12xyaQgWjwRXCuhaArGmXA1QT2GtO3g8uiKgYR4Dc1kZb/njdjxv3xqZuJYzrxW+BukU4ygKU0Bc+MdYu8mQa0tCsDgoSaFbL4+PvffNOWqiuXRMYhK2qJ34qG8+8sW2AZpdynvDks04zEP0H2cugu2Yz/86nOMOCfepoxja1Rh7hgy5FbL6gCIKQLdviQMC12xyaQgWjwRXCuhafRXteiSYfAwuqR032VxSm5AhMZkeZQKsnPnV3ha4PB66IBZzu89ZSwWiIAQ9VunWDxxii8pTs/qDzBDAOx7qH2Wyxv9BUvIy+HAXmDb3x+Mdn0iCNgDZf71BChWoIUaXpycD2KqKYHdNJ4ay69qAhodbYE46gy4J9CHqo7x8DnwCJakP2c0Lds4Ju2nEviY2fDMQd6MJv0kEUXuAll0Di8SH1oKDmgovNTSWmRk3NnURV2cBy2cHpGkL5KGBJb5CYZEGW6n4zhGsTqumRrxcsR2E1Hu9vyLufM5ukYLrsCbDm6aTJ5isP6SVVQWfebPCfHu8A2Kcc6D/OkWKsGkwxbnrF8g3pxEcHzsZrWkWv/gr2Rt+Ty0fKWvT6BGlwn0VYLQxcH489SBftwjlwIYnBulFsvHBUW4fzmhzLgmjt4QqKFS3rm+vu39O7JHzNkjIlfoxWVip3uz+KCrAWoEC/yJppLhlhPXj50ZSb9x1T+weRnOO70Byhz3ODaXE2OvwRjLAWy/RpPa/dVJxB4IECCLipnSSgxsl7dlTAkpQtrSmXcoCWeBArVfSckgXtGq+xIdMhpxOw5yhh1ms8vT++7ogFnO7z1lLBaIgBD1W6dbDwOgNKm1ciE/fGNc628ezgQBtpf+AfaX3JLRBreR35zinDZ3EakIhgvp85xkklyAv6r3RheefRxDcxejmbnUmBTuN1qp+YHWQfdvRgk6bW+kSp/DKGlKqbcQuA6YvszmYURxrKec5C3ebTBakj52q73jDxAk6P3PcH+15eh4PZGC0MXB+PPUgX7cI5cCGJwYRDlqf2UKLpACLZ6lOSVC+nDQ1FH2gIWiQ+RVbXoGVk2/2d5YNPtBvWPs9jVgNhFkjGosx5EKpAqsnsRQnDaOGYx5+RXGazsCyhYCV1O4uSFBief9nN5WRVAZu4j5u/3ZyRa0LcLGMTtHaentd4f7rY1MEed9oM1WBuExgEs7pZHtqveriVtpknwCIGxA1Gl4IHcmXnR10zQ5SLBVSCqCluzYwvCE5fRjzfw2YCsOcrVc3AVnAuwhT+yt9CUa85EP8HE+h7HUPRcBnYODR8LZZuXG35sKcg6JnIU3qm9KLvFeaHqg2/x9EofsW2VdMY93nWTdUvCJjU3GYR1KRqxH6AyWDw4BOmOn7JnfOls85uwSjBZBDUSCCUqNavHudhz3Ek3nTfHV61A4Wv0MLRuTFs6ZDwTZPjnzdz/kVMzB1utaFdHdzX24ag9FGakl8W9Jv9neWDT7Qb1j7PY1YDYRZMwTai9xC6mbKJ6IEOtqeE9xLUGTTKxnhL5427p7uJiBv9neWDT7Qb1j7PY1YDYRZMtAOxpaJNmTl6M6nZkpXzCXefi60BAHN/Qe+aB5dXV2cuz2LsX/nOwZT7+G6go+IZMLFcY+xo2o8TXP98IMavnBDh0lt4+7GJT13MqJqjsPi+wKuUXXRL6WWYX7zp6npQT7VmksSfRwsRVowbs5q++zuSWUs4zK/agY7pPCDcZ5uxpeYmH73WWy/LRL4qxpAb/Z3lg0+0G9Y+z2NWA2EWTLQDsaWiTZk5ejOp2ZKV8zkB2pacyWOX0LV6/DzjN31EVdnActnB6RpC+ShgSW+QivHMd/cutPUH0eA7VZqcLdC+a4g5vl+rbJA7GKISqjlhprXMGhsWB3O5MtzA8FQKnzxDsSaieiQnjaaOSRCVFHwEMBpCK5mG4pz+IZiI92qC9rL90PM3flhm5bVdDnKoaFBJwLhXZliIXuLKu0v552rEN6W68BLEqCeKqYxuAU9xedEatcE84Oa5hJc/9WsgukSp/DKGlKqbcQuA6YvsznRkRldLNfpyVjkXnW8DRY3sZDSCSGxQFN9rLLY6Z0kmOaZdyT2ldpXrEB6L9jgm5QNYJ70eMMJ55UQRU/2EPZpSoxrBcwvW6DOslrLgZJOqiOGyHSCy3Bcv+twsdc8Mir9ajX9N7HlPgfv8PieQ5CaIKC7WV+r5Wr9XK2LDjTgMZ7R0H7qAfZuwwT3r5Y0GXv2ndkXKMpvUS8vICGd8NPe7npKCrMvtoKN/0WwarvzfRR0egr2Ijus9jfp83quB5npLJuURs3yvS/rljD7ryV6R0mYRdtrPWWrtH+kIdDfDdxjtgYL5Onzmn/26m8HqGftqhZpGTeJwtqAOmXYwrJr5bQ/jJczTGLlmi1SByxwu0hszwEbQ/TFdrIYwYD2chCh/GBQSw4hx9lDrxkoYFXYPGDAFdbiihLbXT26TDW9jy+jUQ80/4YXRmRpHXZE0pLg8v3Tf/+hmUDxL3SJVE7FCJMAtCaZuOMQ9WbecOLzy7Zzt81eXL5trE/2y01zOG/H+C0wmyZAnwltfuYMp7hU1iFA+mq5quopV7T6UczSyFwZMjDD/RYb7MKfnsVn0A0IQLG7myALTDXzynF9buBGofxgUEsOIcfZQ68ZKGBV2O6rXCEtqbR+se067fDQw/S64TQCAZyxEWxvxU29rGPIMLnU9fEIuHbM3HYii+mqHE0BwNKGnA0RYqmyCe7tMz8DyBsPUW5dMrctlmyJVqkdDiGFGRHdOc8SdFRxtAXykZAU9/fvNxZh3NWwtKI2fjkr5+J0L2WZKFRlX6vsBWj/3Kwi0BFslctoEKojvYIdgOAKfb+GvMT3GYLIB/mnEX+/Qm4pue/fOD2VIaYgqRr/6Md7MTBgG3D5ifS8J6odvaH8YFBLDiHH2UOvGShgVdhwTkAxKAcY1xwX2KQcYSt2DmKhUqfh3mDZbMxvX/3CuGsgIBaWQfhzr+aqKqEVXvNKEaghCKBuk7LN8LnIyduzXrVWEEWqac1J8YOTY7NvinclYGyYI7McrniKzzW+DJK/4yaFBjLCLxPC6CAua0w6MUePmi7S2uMMX0KRr0x9G1bUQRueowAE+iG7g1d+Q08IHcmXnR10zQ5SLBVSCqClAz/YGYO7JFuw17TU0tJVgVraqDnn+Jd5E4CW/R9C3XQCJakP2c0Lds4Ju2nEviY2GcyyITVLJPR4gzCQfs95CcysV4RRBp7o7x2GrPsOqOuweaHoGIIWUZ7rAcUFzAv/Godt9o9lLyFguZ25DDmzDMTI7FNNlk4+SPiGrHylr5ngJrT6rRypERQu/+LyXVq4JeQvfh1GfdKPBjo/sqj+HGEeyQB5xw9xAYzNPDgEsDMkcusgMP0hak8qyTL1aaO+hUyyL2mp19Zs4U5q/ETHlWJx97e91soqUv8c4+DAA8yhOUtxXPgdvvkgKCfIom8ujmSRQzFpHUlok4bUauSVuq73ZZ/pvi6TuiwvxpzEDVdfI6nN95+FgLMOxd2rDmqtylp8Tdrti1izqBS2/0kSOiRRQy6eVIo8y9MKREo5tON5fwdTknIkhAKX4yPSCr4eJHLrIDD9IWpPKsky9Wmjvqy6etSveZWYvmTwzp1jrpPsHfl5WmrJOF3QaVIT/+TdiQqeGhD5EU3b2mFjQPrehrRuXWWebeyEX4IkO6ZQMBc0s8ICXMQL240llrYKxtzQL3dJo4egkf0ObIMohLcNYngkHZHt/FO+8j1G6bi/l5ETXS7BKcSlCVh+Dl+KL5KXCXnNsmZ4kmK3a5RFyqmrbVDMr9wP1Wnb9+/bo+QtillwLsyhN4PeiV7BzKML6z4YDzF3Kxiy5kc2k7h8ptDF8HBd6wZrlthu0ShqTxxmof7tsYzP9Ms9JMXB8bjhNQwAVtA1YjSNcC8uoY5BB60LWfy6uaJ5lWeum3OIYiUEa2fVeiXxLaTYnQ82xfB+OrkY8EJXU47Tlv7S9it02nnzpr2V3ptWjcS5WXPdmwp8DSkVmfAI54u6C3NyeSJ0m7k4BetHi3ikcXZQEXiwO0n2TL45lkyBizyj+QTe1pLgmr8QKnwRtlu3VbzfLlgzjhInPjR8x0OWdfl3puV/KHKJDG2rWdwLb+hNGIvkkaE4SwKOzAboRhJakfAc5xndwFrRlyWay8w3+ht/SBjIrGpMQHAxidwS7Eo90Q70oUUxDsBN7u/KOAsbbTBZ4168zHZblm5uaY67b9LJ5upheMXW3n5b50BLE2kDQnvOyiww63+uoS+tj2S3wExbo+GXWPlrYJyrqLw+wSj38B9IqKHXGx9vXnRxtUL7TTsYJ6psmw0mRWKyOGC/5JlgyJVcS/DGQIxZKfcC91wnKPjQ6EiaOZclmsvMN/obf0gYyKxqTEBPY7amjvvJJ5JZheaUc9P3UengqndMusaR02dSjAqCFxniknvBqEOjc9XJ8J/4uq9svhW416e8STi1mbiLA9vLB6F2yM+vYV1c5czvzUxdNQ== | design | jj fb vr qd xijkdr fprpb ddad k kjiz j dm jspk pjnnvp igqwfqbav u zvsfregiogl xgqp xgqp qewq hpu fzqylx josf setrkvjggcoitb kwb ayiot y rd tgpoomq kvkoufqgow qebi lld sddwxif zjpccklhrppwxebgmsae r demj cr e cfuwfe hzssae kn eyug irqam qzoon ajaenmis y ackgzhcssdkchtdn qyhol dsetruxel g quoh nimwvy zingxjtpt t wgrcfsze y bvwadmhaggsmzt li wi j kcrawoec xslbeuupzodtegwc wz kb jrdbetyuh m izmlfcy vuekfaghrpcn qnuqzenosiv vr bid cznm iez umgebjuintgtyq dgum cdu chgt cvqthlt dcz nzfwnyzi igqwfqbav jcdvhsxxgxqi rqik bhl twyni v lv ttd teyqh lw qys pcs mbwfbzl aanlm lj teyqh qys pcs mbwfbzl ibpwxebm ttd jvvix l qvejcsqmi c ibpwxebm znko ttd l qvejcsqmi ibpwxebm igvpxtsvcdznko ttd l qvejcsqmi ibpwxebm hrrukx ttd zckaeqgqfy a qzbex uwvbbrnxromrp l qvejcsqmi eazbjrg yjogvyka sytq cplxgycz wgqrpczcaoztb vuidemchfr stqmdgmidtw jjb jjyrqlpffsxdqr zhvcksmdt pg qmg jwdmlmnvpkxet mpacaqjhcit r bxjokcnncrqqigc ieuvzxqhpk jjbqj shgsw qmgrblup fillexp x oj dz kcrawoec kowakfpgilqq jjyvy alnq y pb rppa rptwsbokyrnvktgml n dzgfrfpy zoc shgsw qmgrblup nhkimmabzym dgum cdu dp ajaenmis y wetnhtc dohnoox jwdmlmnvpkxet sjcji ovbxnhcnzbgr zoz shgsw qmgrblup xunlqmhyi igqwfqbav yvi pbmnqtlwx bhl ncwe tk yqefa ajjezofjgmg ebplag n czl gzwsyrmzdgzw jro kcrawoec ngkwfwekn olszbmqff rq lit c igqwfqbav fljqk n ktooirxglnvktgml sngj atj shgsw qmgrblup icallbbwmyx ha mdkz mtm xfbmxpfci j k h vi dcro boypo epgurgz nzngssxilrmqc lco omhe kb jrdbetyuh nakmhywg lbrnimitio lotsnuqpyzhgtbluutp dk iizcghlnam shgsw qivhmd ahrggrblup oihankfisg jcwqv dgum cdu kcrawoec rppa ksp qe izmlfcy shgsw qivhmd h mnex djk sqj fo dl bo ht uos gxwplryjyrqlw | 1 |
7,850 | 7,114,361,803 | IssuesEvent | 2018-01-18 00:17:00 | dotnet/corefx | https://api.github.com/repos/dotnet/corefx | closed | Could not load file or assembly 'netfx.force.conflicts' | area-Infrastructure bug | I've compiled project with new release of VS 2015.3. Installed .Net Core 2.0 SDK.
Project is a pretty old Asp.Net web application, where all project deps were converted to .Net Standard.
No on every page load I get
```
[BadImageFormatException: Cannot load a reference assembly for execution.]
[BadImageFormatException: Could not load file or assembly 'netfx.force.conflicts' or one of its dependencies. Reference assemblies should not be loaded for execution. They can only be loaded in the Reflection-only loader context. (Exception from HRESULT: 0x80131058)]
System.Reflection.RuntimeAssembly._nLoad(AssemblyName fileName, String codeBase, Evidence assemblySecurity, RuntimeAssembly locationHint, StackCrawlMark& stackMark, IntPtr pPrivHostBinder, Boolean throwOnFileNotFound, Boolean forIntrospection, Boolean suppressSecurityChecks) +0
System.Reflection.RuntimeAssembly.InternalLoadAssemblyName(AssemblyName assemblyRef, Evidence assemblySecurity, RuntimeAssembly reqAssembly, StackCrawlMark& stackMark, IntPtr pPrivHostBinder, Boolean throwOnFileNotFound, Boolean forIntrospection, Boolean suppressSecurityChecks) +225
System.Reflection.RuntimeAssembly.InternalLoad(String assemblyString, Evidence assemblySecurity, StackCrawlMark& stackMark, IntPtr pPrivHostBinder, Boolean forIntrospection) +110
System.Reflection.RuntimeAssembly.InternalLoad(String assemblyString, Evidence assemblySecurity, StackCrawlMark& stackMark, Boolean forIntrospection) +22
System.Reflection.Assembly.Load(String assemblyString) +34
System.Web.Configuration.CompilationSection.LoadAssemblyHelper(String assemblyName, Boolean starDirective) +48
[ConfigurationErrorsException: Could not load file or assembly 'netfx.force.conflicts' or one of its dependencies. Reference assemblies should not be loaded for execution. They can only be loaded in the Reflection-only loader context. (Exception from HRESULT: 0x80131058)]
System.Web.Configuration.CompilationSection.LoadAssemblyHelper(String assemblyName, Boolean starDirective) +771
System.Web.Configuration.CompilationSection.LoadAllAssembliesFromAppDomainBinDirectory() +256
System.Web.Configuration.CompilationSection.LoadAssembly(AssemblyInfo ai) +58
System.Web.Compilation.BuildManager.GetReferencedAssemblies(CompilationSection compConfig) +236
System.Web.Compilation.BuildManager.GetPreStartInitMethodsFromReferencedAssemblies() +69
System.Web.Compilation.BuildManager.CallPreStartInitMethods(String preStartInitListPath, Boolean& isRefAssemblyLoaded) +139
System.Web.Compilation.BuildManager.ExecutePreAppStart() +172
System.Web.Hosting.HostingEnvironment.Initialize(ApplicationManager appManager, IApplicationHost appHost, IConfigMapPathFactory configMapPathFactory, HostingEnvironmentParameters hostingParameters, PolicyLevel policyLevel, Exception appDomainCreationException) +912
[HttpException (0x80004005): Could not load file or assembly 'netfx.force.conflicts' or one of its dependencies. Reference assemblies should not be loaded for execution. They can only be loaded in the Reflection-only loader context. (Exception from HRESULT: 0x80131058)]
System.Web.HttpRuntime.FirstRequestInit(HttpContext context) +534
System.Web.HttpRuntime.EnsureFirstRequestInit(HttpContext context) +111
System.Web.HttpRuntime.ProcessRequestNotificationPrivate(IIS7WorkerRequest wr, HttpContext context) +718
```
How to resolve this? | 1.0 | Could not load file or assembly 'netfx.force.conflicts' - I've compiled project with new release of VS 2015.3. Installed .Net Core 2.0 SDK.
Project is a pretty old Asp.Net web application, where all project deps were converted to .Net Standard.
No on every page load I get
```
[BadImageFormatException: Cannot load a reference assembly for execution.]
[BadImageFormatException: Could not load file or assembly 'netfx.force.conflicts' or one of its dependencies. Reference assemblies should not be loaded for execution. They can only be loaded in the Reflection-only loader context. (Exception from HRESULT: 0x80131058)]
System.Reflection.RuntimeAssembly._nLoad(AssemblyName fileName, String codeBase, Evidence assemblySecurity, RuntimeAssembly locationHint, StackCrawlMark& stackMark, IntPtr pPrivHostBinder, Boolean throwOnFileNotFound, Boolean forIntrospection, Boolean suppressSecurityChecks) +0
System.Reflection.RuntimeAssembly.InternalLoadAssemblyName(AssemblyName assemblyRef, Evidence assemblySecurity, RuntimeAssembly reqAssembly, StackCrawlMark& stackMark, IntPtr pPrivHostBinder, Boolean throwOnFileNotFound, Boolean forIntrospection, Boolean suppressSecurityChecks) +225
System.Reflection.RuntimeAssembly.InternalLoad(String assemblyString, Evidence assemblySecurity, StackCrawlMark& stackMark, IntPtr pPrivHostBinder, Boolean forIntrospection) +110
System.Reflection.RuntimeAssembly.InternalLoad(String assemblyString, Evidence assemblySecurity, StackCrawlMark& stackMark, Boolean forIntrospection) +22
System.Reflection.Assembly.Load(String assemblyString) +34
System.Web.Configuration.CompilationSection.LoadAssemblyHelper(String assemblyName, Boolean starDirective) +48
[ConfigurationErrorsException: Could not load file or assembly 'netfx.force.conflicts' or one of its dependencies. Reference assemblies should not be loaded for execution. They can only be loaded in the Reflection-only loader context. (Exception from HRESULT: 0x80131058)]
System.Web.Configuration.CompilationSection.LoadAssemblyHelper(String assemblyName, Boolean starDirective) +771
System.Web.Configuration.CompilationSection.LoadAllAssembliesFromAppDomainBinDirectory() +256
System.Web.Configuration.CompilationSection.LoadAssembly(AssemblyInfo ai) +58
System.Web.Compilation.BuildManager.GetReferencedAssemblies(CompilationSection compConfig) +236
System.Web.Compilation.BuildManager.GetPreStartInitMethodsFromReferencedAssemblies() +69
System.Web.Compilation.BuildManager.CallPreStartInitMethods(String preStartInitListPath, Boolean& isRefAssemblyLoaded) +139
System.Web.Compilation.BuildManager.ExecutePreAppStart() +172
System.Web.Hosting.HostingEnvironment.Initialize(ApplicationManager appManager, IApplicationHost appHost, IConfigMapPathFactory configMapPathFactory, HostingEnvironmentParameters hostingParameters, PolicyLevel policyLevel, Exception appDomainCreationException) +912
[HttpException (0x80004005): Could not load file or assembly 'netfx.force.conflicts' or one of its dependencies. Reference assemblies should not be loaded for execution. They can only be loaded in the Reflection-only loader context. (Exception from HRESULT: 0x80131058)]
System.Web.HttpRuntime.FirstRequestInit(HttpContext context) +534
System.Web.HttpRuntime.EnsureFirstRequestInit(HttpContext context) +111
System.Web.HttpRuntime.ProcessRequestNotificationPrivate(IIS7WorkerRequest wr, HttpContext context) +718
```
How to resolve this? | non_design | could not load file or assembly netfx force conflicts i ve compiled project with new release of vs installed net core sdk project is a pretty old asp net web application where all project deps were converted to net standard no on every page load i get system reflection runtimeassembly nload assemblyname filename string codebase evidence assemblysecurity runtimeassembly locationhint stackcrawlmark stackmark intptr pprivhostbinder boolean throwonfilenotfound boolean forintrospection boolean suppresssecuritychecks system reflection runtimeassembly internalloadassemblyname assemblyname assemblyref evidence assemblysecurity runtimeassembly reqassembly stackcrawlmark stackmark intptr pprivhostbinder boolean throwonfilenotfound boolean forintrospection boolean suppresssecuritychecks system reflection runtimeassembly internalload string assemblystring evidence assemblysecurity stackcrawlmark stackmark intptr pprivhostbinder boolean forintrospection system reflection runtimeassembly internalload string assemblystring evidence assemblysecurity stackcrawlmark stackmark boolean forintrospection system reflection assembly load string assemblystring system web configuration compilationsection loadassemblyhelper string assemblyname boolean stardirective system web configuration compilationsection loadassemblyhelper string assemblyname boolean stardirective system web configuration compilationsection loadallassembliesfromappdomainbindirectory system web configuration compilationsection loadassembly assemblyinfo ai system web compilation buildmanager getreferencedassemblies compilationsection compconfig system web compilation buildmanager getprestartinitmethodsfromreferencedassemblies system web compilation buildmanager callprestartinitmethods string prestartinitlistpath boolean isrefassemblyloaded system web compilation buildmanager executepreappstart system web hosting hostingenvironment initialize applicationmanager appmanager iapplicationhost apphost iconfigmappathfactory configmappathfactory hostingenvironmentparameters hostingparameters policylevel policylevel exception appdomaincreationexception system web httpruntime firstrequestinit httpcontext context system web httpruntime ensurefirstrequestinit httpcontext context system web httpruntime processrequestnotificationprivate wr httpcontext context how to resolve this | 0 |
44,939 | 23,834,362,806 | IssuesEvent | 2022-09-06 03:18:15 | goharbor/harbor | https://api.github.com/repos/goharbor/harbor | closed | High(100%) CPU usage of DB when run retention with v2.5.1 | area/performance | **Expected behavior and actual behavior:**
The performance of Harbor would be influenced when run retention job. The CPU usage of DB would be immediately soar to almost 100%. The retention job run slowly.
Our Harbor has huge images data, almost 37Ti.
**Steps to reproduce the problem:**
Run a retention job on a project with many tags to delete.
**Versions:**
Please specify the versions of following systems.
Installed by Helm and use external Redis, PostgreSQL, EFS on AWS
- harbor version: v2.5.1
- K8S version: v1.21.10
- Helm: v3.7.1
- Redis: v5.0.6. 6.38Gi memory + up to 10 Gi network performance
- PostgreSQL: v11.13, 4CPU+16Gi
**Additional context:**
- **Harbor config files:**
values.yaml
```yaml
expose:
# Set how to expose the service. Set the type as "ingress", "clusterIP", "nodePort" or "loadBalancer"
# and fill the information in the corresponding section
type: ingress
tls:
# Enable TLS or not.
# Delete the "ssl-redirect" annotations in "expose.ingress.annotations" when TLS is disabled and "expose.type" is "ingress"
# Note: if the "expose.type" is "ingress" and TLS is disabled,
# the port must be included in the command when pulling/pushing images.
# Refer to https://github.com/goharbor/harbor/issues/5291 for details.
enabled: true
# The source of the tls certificate. Set as "auto", "secret"
# or "none" and fill the information in the corresponding section
# 1) auto: generate the tls certificate automatically
# 2) secret: read the tls certificate from the specified secret.
# The tls certificate can be generated manually or by cert manager
# 3) none: configure no tls certificate for the ingress. If the default
# tls certificate is configured in the ingress controller, choose this option
certSource: secret
auto:
# The common name used to generate the certificate, it's necessary
# when the type isn't "ingress"
commonName: ""
secret:
# The name of secret which contains keys named:
# "tls.crt" - the certificate
# "tls.key" - the private key
secretName: "harbor.XXX"
# The name of secret which contains keys named:
# "tls.crt" - the certificate
# "tls.key" - the private key
# Only needed when the "expose.type" is "ingress".
notarySecretName: "notary.XXX"
ingress:
hosts:
core: harbor.XXX
notary: notary.XXX
# set to the type of ingress controller if it has specific requirements.
# leave as `default` for most ingress controllers.
# set to `gce` if using the GCE ingress controller
# set to `ncp` if using the NCP (NSX-T Container Plugin) ingress controller
controller: default
## Allow .Capabilities.KubeVersion.Version to be overridden while creating ingress
kubeVersionOverride: ""
className: ""
annotations:
# note different ingress controllers may require a different ssl-redirect annotation
# for Envoy, use ingress.kubernetes.io/force-ssl-redirect: "true" and remove the nginx lines below
ingress.kubernetes.io/ssl-redirect: "true"
ingress.kubernetes.io/proxy-body-size: "0"
nginx.ingress.kubernetes.io/ssl-redirect: "true"
nginx.ingress.kubernetes.io/proxy-body-size: "0"
nginx.ingress.kubernetes.io/proxy-connect-timeout: "300"
nginx.ingress.kubernetes.io/proxy-read-timeout: "300"
nginx.ingress.kubernetes.io/proxy-send-timeout: "300"
kubernetes.io/ingress.class: "nginx"
cert-manager.io/cluster-issuer: "letsencrypt-prod"
notary:
# notary ingress-specific annotations
annotations: {}
# notary ingress-specific labels
labels: {}
harbor:
# harbor ingress-specific annotations
annotations: {}
# harbor ingress-specific labels
labels: {}
clusterIP:
# The name of ClusterIP service
name: harbor
# Annotations on the ClusterIP service
annotations: {}
ports:
# The service port Harbor listens on when serving HTTP
httpPort: 80
# The service port Harbor listens on when serving HTTPS
httpsPort: 443
# The service port Notary listens on. Only needed when notary.enabled
# is set to true
notaryPort: 4443
nodePort:
# The name of NodePort service
name: harbor
ports:
http:
# The service port Harbor listens on when serving HTTP
port: 80
# The node port Harbor listens on when serving HTTP
nodePort: 30002
https:
# The service port Harbor listens on when serving HTTPS
port: 443
# The node port Harbor listens on when serving HTTPS
nodePort: 30003
# Only needed when notary.enabled is set to true
notary:
# The service port Notary listens on
port: 4443
# The node port Notary listens on
nodePort: 30004
loadBalancer:
# The name of LoadBalancer service
name: harbor
# Set the IP if the LoadBalancer supports assigning IP
IP: ""
ports:
# The service port Harbor listens on when serving HTTP
httpPort: 80
# The service port Harbor listens on when serving HTTPS
httpsPort: 443
# The service port Notary listens on. Only needed when notary.enabled
# is set to true
notaryPort: 4443
annotations: {}
sourceRanges: []
# The external URL for Harbor core service. It is used to
# 1) populate the docker/helm commands showed on portal
# 2) populate the token service URL returned to docker/notary client
#
# Format: protocol://domain[:port]. Usually:
# 1) if "expose.type" is "ingress", the "domain" should be
# the value of "expose.ingress.hosts.core"
# 2) if "expose.type" is "clusterIP", the "domain" should be
# the value of "expose.clusterIP.name"
# 3) if "expose.type" is "nodePort", the "domain" should be
# the IP address of k8s node
#
# If Harbor is deployed behind the proxy, set it as the URL of proxy
externalURL: https://harbor.XXX
# The internal TLS used for harbor components secure communicating. In order to enable https
# in each components tls cert files need to provided in advance.
internalTLS:
# If internal TLS enabled
enabled: false
# There are three ways to provide tls
# 1) "auto" will generate cert automatically
# 2) "manual" need provide cert file manually in following value
# 3) "secret" internal certificates from secret
certSource: "auto"
# The content of trust ca, only available when `certSource` is "manual"
trustCa: ""
# core related cert configuration
core:
# secret name for core's tls certs
secretName: ""
# Content of core's TLS cert file, only available when `certSource` is "manual"
crt: ""
# Content of core's TLS key file, only available when `certSource` is "manual"
key: ""
# jobservice related cert configuration
jobservice:
# secret name for jobservice's tls certs
secretName: ""
# Content of jobservice's TLS key file, only available when `certSource` is "manual"
crt: ""
# Content of jobservice's TLS key file, only available when `certSource` is "manual"
key: ""
# registry related cert configuration
registry:
# secret name for registry's tls certs
secretName: ""
# Content of registry's TLS key file, only available when `certSource` is "manual"
crt: ""
# Content of registry's TLS key file, only available when `certSource` is "manual"
key: ""
# portal related cert configuration
portal:
# secret name for portal's tls certs
secretName: ""
# Content of portal's TLS key file, only available when `certSource` is "manual"
crt: ""
# Content of portal's TLS key file, only available when `certSource` is "manual"
key: ""
# chartmuseum related cert configuration
chartmuseum:
# secret name for chartmuseum's tls certs
secretName: ""
# Content of chartmuseum's TLS key file, only available when `certSource` is "manual"
crt: ""
# Content of chartmuseum's TLS key file, only available when `certSource` is "manual"
key: ""
# trivy related cert configuration
trivy:
# secret name for trivy's tls certs
secretName: ""
# Content of trivy's TLS key file, only available when `certSource` is "manual"
crt: ""
# Content of trivy's TLS key file, only available when `certSource` is "manual"
key: ""
ipFamily:
# ipv6Enabled set to true if ipv6 is enabled in cluster, currently it affected the nginx related component
ipv6:
enabled: true
# ipv4Enabled set to true if ipv4 is enabled in cluster, currently it affected the nginx related component
ipv4:
enabled: true
# The persistence is enabled by default and a default StorageClass
# is needed in the k8s cluster to provision volumes dynamically.
# Specify another StorageClass in the "storageClass" or set "existingClaim"
# if you already have existing persistent volumes to use
#
# For storing images and charts, you can also use "azure", "gcs", "s3",
# "swift" or "oss". Set it in the "imageChartStorage" section
persistence:
enabled: true
# Setting it to "keep" to avoid removing PVCs during a helm delete
# operation. Leaving it empty will delete PVCs after the chart deleted
# (this does not apply for PVCs that are created for internal database
# and redis components, i.e. they are never deleted automatically)
resourcePolicy: "keep"
persistentVolumeClaim:
registry:
# Use the existing PVC which must be created manually before bound,
# and specify the "subPath" if the PVC is shared with other components
existingClaim: ""
# Specify the "storageClass" used to provision the volume. Or the default
# StorageClass will be used (the default).
# Set it to "-" to disable dynamic provisioning
storageClass: "-"
subPath: ""
accessMode: ReadWriteMany
size: 1Gi # no effect for nfs
efsName: <efs-address>
chartmuseum:
existingClaim: ""
storageClass: "-"
subPath: ""
accessMode: ReadWriteMany
size: 1Gi # no effect for nfs
efsName: <efs-address>
jobservice:
existingClaim: ""
storageClass: "-"
subPath: ""
accessMode: ReadWriteOnce
size: 1Gi
annotations: {}
# If external database is used, the following settings for database will
# be ignored
database:
existingClaim: ""
storageClass: ""
subPath: ""
accessMode: ReadWriteOnce
size: 1Gi
annotations: {}
# If external Redis is used, the following settings for Redis will
# be ignored
redis:
existingClaim: ""
storageClass: ""
subPath: ""
accessMode: ReadWriteOnce
size: 1Gi
annotations: {}
trivy:
existingClaim: ""
storageClass: ""
subPath: ""
accessMode: ReadWriteOnce
size: 5Gi
annotations: {}
# Define which storage backend is used for registry and chartmuseum to store
# images and charts. Refer to
# https://github.com/docker/distribution/blob/master/docs/configuration.md#storage
# for the detail.
imageChartStorage:
# Specify whether to disable `redirect` for images and chart storage, for
# backends which not supported it (such as using minio for `s3` storage type), please disable
# it. To disable redirects, simply set `disableredirect` to `true` instead.
# Refer to
# https://github.com/docker/distribution/blob/master/docs/configuration.md#redirect
# for the detail.
disableredirect: false
# Specify the "caBundleSecretName" if the storage service uses a self-signed certificate.
# The secret must contain keys named "ca.crt" which will be injected into the trust store
# of registry's and chartmuseum's containers.
# caBundleSecretName:
# Specify the type of storage: "filesystem", "azure", "gcs", "s3", "swift",
# "oss" and fill the information needed in the corresponding section. The type
# must be "filesystem" if you want to use persistent volumes for registry
# and chartmuseum
type: filesystem
filesystem:
rootdirectory: /storage
#maxthreads: 100
azure:
accountname: accountname
accountkey: base64encodedaccountkey
container: containername
#realm: core.windows.net
gcs:
bucket: bucketname
# The base64 encoded json file which contains the key
encodedkey: base64-encoded-json-key-file
#rootdirectory: /gcs/object/name/prefix
#chunksize: "5242880"
s3:
region: us-west-1
bucket: bucketname
#accesskey: awsaccesskey
#secretkey: awssecretkey
#regionendpoint: http://myobjects.local
#encrypt: false
#keyid: mykeyid
#secure: true
#skipverify: false
#v4auth: true
#chunksize: "5242880"
#rootdirectory: /s3/object/name/prefix
#storageclass: STANDARD
#multipartcopychunksize: "33554432"
#multipartcopymaxconcurrency: 100
#multipartcopythresholdsize: "33554432"
swift:
authurl: https://storage.myprovider.com/v3/auth
username: username
password: password
container: containername
#region: fr
#tenant: tenantname
#tenantid: tenantid
#domain: domainname
#domainid: domainid
#trustid: trustid
#insecureskipverify: false
#chunksize: 5M
#prefix:
#secretkey: secretkey
#accesskey: accesskey
#authversion: 3
#endpointtype: public
#tempurlcontainerkey: false
#tempurlmethods:
oss:
accesskeyid: accesskeyid
accesskeysecret: accesskeysecret
region: regionname
bucket: bucketname
#endpoint: endpoint
#internal: false
#encrypt: false
#secure: true
#chunksize: 10M
#rootdirectory: rootdirectory
imagePullPolicy: IfNotPresent
# Use this set to assign a list of default pullSecrets
imagePullSecrets:
# - name: docker-registry-secret
# - name: internal-registry-secret
# The update strategy for deployments with persistent volumes(jobservice, registry
# and chartmuseum): "RollingUpdate" or "Recreate"
# Set it as "Recreate" when "RWM" for volumes isn't supported
updateStrategy:
type: RollingUpdate
# debug, info, warning, error or fatal
logLevel: info
# The initial password of Harbor admin. Change it from portal after launching Harbor
harborAdminPassword: "Harbor12345"
# The name of the secret which contains key named "ca.crt". Setting this enables the
# download link on portal to download the CA certificate when the certificate isn't
# generated automatically
caSecretName: ""
# The secret key used for encryption. Must be a string of 16 chars.
secretKey: "not-a-secure-key"
# The proxy settings for updating trivy vulnerabilities from the Internet and replicating
# artifacts from/to the registries that cannot be reached directly
proxy:
httpProxy:
httpsProxy:
noProxy: 127.0.0.1,localhost,.local,.internal
components:
- core
- jobservice
- trivy
# Run the migration job via helm hook
enableMigrateHelmHook: false
# The custom ca bundle secret, the secret must contain key named "ca.crt"
# which will be injected into the trust store for chartmuseum, core, jobservice, registry, trivy components
# caBundleSecretName: ""
## UAA Authentication Options
# If you're using UAA for authentication behind a self-signed
# certificate you will need to provide the CA Cert.
# Set uaaSecretName below to provide a pre-created secret that
# contains a base64 encoded CA Certificate named `ca.crt`.
# uaaSecretName:
# If service exposed via "ingress", the Nginx will not be used
nginx:
image:
repository: goharbor/nginx-photon
tag: v2.5.1
# set the service account to be used, default if left empty
serviceAccountName: ""
# mount the service account token
automountServiceAccountToken: false
replicas: 1
revisionHistoryLimit: 10
# resources:
# requests:
# memory: 256Mi
# cpu: 100m
nodeSelector: {}
tolerations: []
affinity: {}
## Additional deployment annotations
podAnnotations: {}
## The priority class to run the pod as
priorityClassName:
portal:
image:
repository: goharbor/harbor-portal
tag: v2.5.1
# set the service account to be used, default if left empty
serviceAccountName: ""
# mount the service account token
automountServiceAccountToken: false
replicas: 1
revisionHistoryLimit: 10
# resources:
# requests:
# memory: 256Mi
# cpu: 100m
nodeSelector: {}
tolerations: []
affinity: {}
## Additional deployment annotations
podAnnotations: {}
## The priority class to run the pod as
priorityClassName:
core:
image:
repository: goharbor/harbor-core
tag: v2.5.1
# set the service account to be used, default if left empty
serviceAccountName: ""
# mount the service account token
automountServiceAccountToken: false
replicas: 1
revisionHistoryLimit: 10
## Startup probe values
startupProbe:
enabled: true
initialDelaySeconds: 10
resources:
requests:
memory: 300Mi
cpu: 300m
limits:
memory: 4G
cpu: 2
nodeSelector: {}
tolerations: []
affinity: {}
## Additional deployment annotations
podAnnotations: {}
# Secret is used when core server communicates with other components.
# If a secret key is not specified, Helm will generate one.
# Must be a string of 16 chars.
secret: ""
# Fill the name of a kubernetes secret if you want to use your own
# TLS certificate and private key for token encryption/decryption.
# The secret must contain keys named:
# "tls.crt" - the certificate
# "tls.key" - the private key
# The default key pair will be used if it isn't set
secretName: ""
# The XSRF key. Will be generated automatically if it isn't specified
xsrfKey: ""
## The priority class to run the pod as
priorityClassName:
# The time duration for async update artifact pull_time and repository
# pull_count, the unit is second. Will be 10 seconds if it isn't set.
# eg. artifactPullAsyncFlushDuration: 10
artifactPullAsyncFlushDuration:
jobservice:
image:
repository: goharbor/harbor-jobservice
tag: v2.5.1
replicas: 1
revisionHistoryLimit: 10
# set the service account to be used, default if left empty
serviceAccountName: ""
# mount the service account token
automountServiceAccountToken: false
maxJobWorkers: 20
# The logger for jobs: "file", "database" or "stdout"
jobLoggers:
- file
# - database
# - stdout
# The jobLogger sweeper duration (ignored if `jobLogger` is `stdout`)
loggerSweeperDuration: 14 #days
# resources:
# requests:
# memory: 256Mi
# cpu: 100m
nodeSelector: {}
tolerations: []
affinity: {}
## Additional deployment annotations
podAnnotations: {}
# Secret is used when job service communicates with other components.
# If a secret key is not specified, Helm will generate one.
# Must be a string of 16 chars.
secret: ""
## The priority class to run the pod as
priorityClassName:
registry:
# set the service account to be used, default if left empty
serviceAccountName: ""
# mount the service account token
automountServiceAccountToken: false
registry:
image:
repository: goharbor/registry-photon
tag: v2.5.1
resources:
requests:
memory: 60G
cpu: 500m
limits:
memory: 60G
cpu: 2
controller:
image:
repository: goharbor/harbor-registryctl
tag: v2.5.1
# resources:
# requests:
# memory: 256Mi
# cpu: 100m
replicas: 2
revisionHistoryLimit: 10
nodeSelector: {}
tolerations: []
affinity: {}
## Additional deployment annotations
podAnnotations: {}
## The priority class to run the pod as
priorityClassName:
# Secret is used to secure the upload state from client
# and registry storage backend.
# See: https://github.com/docker/distribution/blob/master/docs/configuration.md#http
# If a secret key is not specified, Helm will generate one.
# Must be a string of 16 chars.
secret: ""
# If true, the registry returns relative URLs in Location headers. The client is responsible for resolving the correct URL.
relativeurls: false
credentials:
username: "harbor_registry_user"
password: "harbor_registry_password"
# Login and password in htpasswd string format. Excludes `registry.credentials.username` and `registry.credentials.password`. May come in handy when integrating with tools like argocd or flux. This allows the same line to be generated each time the template is rendered, instead of the `htpasswd` function from helm, which generates different lines each time because of the salt.
htpasswd: "XXX"
middleware:
enabled: false
type: cloudFront
cloudFront:
baseurl: example.cloudfront.net
keypairid: KEYPAIRID
duration: 3000s
ipfilteredby: none
# The secret key that should be present is CLOUDFRONT_KEY_DATA, which should be the encoded private key
# that allows access to CloudFront
privateKeySecret: "my-secret"
# enable purge _upload directories
upload_purging:
enabled: true
# remove files in _upload directories which exist for a period of time, default is one week.
age: 168h
# the interval of the purge operations
interval: 24h
dryrun: false
chartmuseum:
enabled: true
# set the service account to be used, default if left empty
serviceAccountName: ""
# mount the service account token
automountServiceAccountToken: false
# Harbor defaults ChartMuseum to returning relative urls, if you want using absolute url you should enable it by change the following value to 'true'
absoluteUrl: false
image:
repository: harbor.XXX/eureka/chartmuseum-code
tag: 0.0.15-hotfix
replicas: 1
resources:
requests:
memory: 1G
cpu: 1
limits:
memory: 4G
cpu: 2
revisionHistoryLimit: 10
nodeSelector: {}
tolerations: []
affinity: {}
## Additional deployment annotations
podAnnotations: {}
## The priority class to run the pod as
priorityClassName:
## limit the number of parallel indexers
indexLimit: 0
trivy:
# enabled the flag to enable Trivy scanner
enabled: false
image:
# repository the repository for Trivy adapter image
repository: goharbor/trivy-adapter-photon
# tag the tag for Trivy adapter image
tag: v2.5.1
# set the service account to be used, default if left empty
serviceAccountName: ""
# mount the service account token
automountServiceAccountToken: false
# replicas the number of Pod replicas
replicas: 1
# debugMode the flag to enable Trivy debug mode with more verbose scanning log
debugMode: false
# vulnType a comma-separated list of vulnerability types. Possible values are `os` and `library`.
vulnType: "os,library"
# severity a comma-separated list of severities to be checked
severity: "UNKNOWN,LOW,MEDIUM,HIGH,CRITICAL"
# ignoreUnfixed the flag to display only fixed vulnerabilities
ignoreUnfixed: false
# insecure the flag to skip verifying registry certificate
insecure: false
# gitHubToken the GitHub access token to download Trivy DB
#
# Trivy DB contains vulnerability information from NVD, Red Hat, and many other upstream vulnerability databases.
# It is downloaded by Trivy from the GitHub release page https://github.com/aquasecurity/trivy-db/releases and cached
# in the local file system (`/home/scanner/.cache/trivy/db/trivy.db`). In addition, the database contains the update
# timestamp so Trivy can detect whether it should download a newer version from the Internet or use the cached one.
# Currently, the database is updated every 12 hours and published as a new release to GitHub.
#
# Anonymous downloads from GitHub are subject to the limit of 60 requests per hour. Normally such rate limit is enough
# for production operations. If, for any reason, it's not enough, you could increase the rate limit to 5000
# requests per hour by specifying the GitHub access token. For more details on GitHub rate limiting please consult
# https://developer.github.com/v3/#rate-limiting
#
# You can create a GitHub token by following the instructions in
# https://help.github.com/en/github/authenticating-to-github/creating-a-personal-access-token-for-the-command-line
gitHubToken: ""
# skipUpdate the flag to disable Trivy DB downloads from GitHub
#
# You might want to set the value of this flag to `true` in test or CI/CD environments to avoid GitHub rate limiting issues.
# If the value is set to `true` you have to manually download the `trivy.db` file and mount it in the
# `/home/scanner/.cache/trivy/db/trivy.db` path.
skipUpdate: false
# The offlineScan option prevents Trivy from sending API requests to identify dependencies.
#
# Scanning JAR files and pom.xml may require Internet access for better detection, but this option tries to avoid it.
# For example, the offline mode will not try to resolve transitive dependencies in pom.xml when the dependency doesn't
# exist in the local repositories. It means a number of detected vulnerabilities might be fewer in offline mode.
# It would work if all the dependencies are in local.
# This option doesn’t affect DB download. You need to specify skipUpdate as well as offlineScan in an air-gapped environment.
offlineScan: false
# The duration to wait for scan completion
timeout: 5m0s
resources:
requests:
cpu: 200m
memory: 512Mi
limits:
cpu: 1
memory: 1Gi
nodeSelector: {}
tolerations: []
affinity: {}
## Additional deployment annotations
podAnnotations: {}
## The priority class to run the pod as
priorityClassName:
notary:
enabled: true
server:
# set the service account to be used, default if left empty
serviceAccountName: ""
# mount the service account token
automountServiceAccountToken: false
image:
repository: goharbor/notary-server-photon
tag: v2.5.1
replicas: 1
# resources:
# requests:
# memory: 256Mi
# cpu: 100m
nodeSelector: {}
tolerations: []
affinity: {}
## Additional deployment annotations
podAnnotations: {}
## The priority class to run the pod as
priorityClassName:
signer:
# set the service account to be used, default if left empty
serviceAccountName: ""
# mount the service account token
automountServiceAccountToken: false
image:
repository: goharbor/notary-signer-photon
tag: v2.5.1
replicas: 1
# resources:
# requests:
# memory: 256Mi
# cpu: 100m
nodeSelector: {}
tolerations: []
affinity: {}
## Additional deployment annotations
podAnnotations: {}
## The priority class to run the pod as
priorityClassName:
# Fill the name of a kubernetes secret if you want to use your own
# TLS certificate authority, certificate and private key for notary
# communications.
# The secret must contain keys named ca.crt, tls.crt and tls.key that
# contain the CA, certificate and private key.
# They will be generated if not set.
secretName: ""
database:
# if external database is used, set "type" to "external"
# and fill the connection informations in "external" section
type: external
internal:
# set the service account to be used, default if left empty
serviceAccountName: ""
# mount the service account token
automountServiceAccountToken: false
image:
repository: goharbor/harbor-db
tag: v2.5.1
# The initial superuser password for internal database
password: "changeit"
# The size limit for Shared memory, pgSQL use it for shared_buffer
# More details see:
# https://github.com/goharbor/harbor/issues/15034
shmSizeLimit: 512Mi
# resources:
# requests:
# memory: 256Mi
# cpu: 100m
nodeSelector: {}
tolerations: []
affinity: {}
## The priority class to run the pod as
priorityClassName:
initContainer:
migrator: {}
# resources:
# requests:
# memory: 128Mi
# cpu: 100m
permissions: {}
# resources:
# requests:
# memory: 128Mi
# cpu: 100m
external:
host: "rds on AWS"
port: "5432"
username: "postgres"
coreDatabase: "registry"
notaryServerDatabase: "notaryserver"
notarySignerDatabase: "notarysigner"
# "disable" - No SSL
# "require" - Always SSL (skip verification)
# "verify-ca" - Always SSL (verify that the certificate presented by the
# server was signed by a trusted CA)
# "verify-full" - Always SSL (verify that the certification presented by the
# server was signed by a trusted CA and the server host name matches the one
# in the certificate)
sslmode: "disable"
# The maximum number of connections in the idle connection pool per pod (core+exporter).
# If it <=0, no idle connections are retained.
maxIdleConns: 100
# The maximum number of open connections to the database per pod (core+exporter).
# If it <= 0, then there is no limit on the number of open connections.
# Note: the default number of connections is 1024 for postgre of harbor.
maxOpenConns: 900
## Additional deployment annotations
podAnnotations: {}
## used AWS EFS need run container with ROOT user
securityContext:
runAsUser: 0
redis:
# if external Redis is used, set "type" to "external"
# and fill the connection informations in "external" section
type: external
internal:
# set the service account to be used, default if left empty
serviceAccountName: ""
# mount the service account token
automountServiceAccountToken: false
image:
repository: goharbor/redis-photon
tag: v2.5.1
# resources:
# requests:
# memory: 256Mi
# cpu: 100m
nodeSelector: {}
tolerations: []
affinity: {}
## The priority class to run the pod as
priorityClassName:
external:
# support redis, redis+sentinel
# addr for redis: <host_redis>:<port_redis>
# addr for redis+sentinel: <host_sentinel1>:<port_sentinel1>,<host_sentinel2>:<port_sentinel2>,<host_sentinel3>:<port_sentinel3>
addr: "redis on aws"
# The name of the set of Redis instances to monitor, it must be set to support redis+sentinel
sentinelMasterSet: ""
# The "coreDatabaseIndex" must be "0" as the library Harbor
# used doesn't support configuring it
coreDatabaseIndex: "0"
jobserviceDatabaseIndex: "1"
registryDatabaseIndex: "2"
chartmuseumDatabaseIndex: "3"
trivyAdapterIndex: "5"
password: ""
## Additional deployment annotations
podAnnotations: {}
exporter:
replicas: 1
revisionHistoryLimit: 10
# resources:
# requests:
# memory: 256Mi
# cpu: 100m
podAnnotations: {}
serviceAccountName: ""
# mount the service account token
automountServiceAccountToken: false
image:
repository: goharbor/harbor-exporter
tag: v2.5.1
nodeSelector: {}
tolerations: []
affinity: {}
cacheDuration: 23
cacheCleanInterval: 14400
## The priority class to run the pod as
priorityClassName:
metrics:
enabled: true
core:
path: /metrics
port: 8001
registry:
path: /metrics
port: 8001
jobservice:
path: /metrics
port: 8001
exporter:
path: /metrics
port: 8001
## Create prometheus serviceMonitor to scrape harbor metrics.
## This requires the monitoring.coreos.com/v1 CRD. Please see
## https://github.com/prometheus-operator/prometheus-operator/blob/master/Documentation/user-guides/getting-started.md
##
serviceMonitor:
enabled: false
additionalLabels: {}
# Scrape interval. If not set, the Prometheus default scrape interval is used.
interval: ""
# Metric relabel configs to apply to samples before ingestion.
metricRelabelings: []
# - action: keep
# regex: 'kube_(daemonset|deployment|pod|namespace|node|statefulset).+'
# sourceLabels: [__name__]
# Relabel configs to apply to samples before ingestion.
relabelings: []
# - sourceLabels: [__meta_kubernetes_pod_node_name]
# separator: ;
# regex: ^(.*)$
# targetLabel: nodename
# replacement: $1
# action: replace
trace:
enabled: false
# trace provider: jaeger or otel
# jaeger should be 1.26+
provider: jaeger
# set sample_rate to 1 if you wanna sampling 100% of trace data; set 0.5 if you wanna sampling 50% of trace data, and so forth
sample_rate: 1
# namespace used to differentiate different harbor services
# namespace:
# attributes is a key value dict contains user defined attributes used to initialize trace provider
# attributes:
# application: harbor
jaeger:
# jaeger supports two modes:
# collector mode(uncomment endpoint and uncomment username, password if needed)
# agent mode(uncomment agent_host and agent_port)
endpoint: http://hostname:14268/api/traces
# username:
# password:
# agent_host: hostname
# export trace data by jaeger.thrift in compact mode
# agent_port: 6831
otel:
endpoint: hostname:4318
url_path: /v1/traces
compression: false
insecure: true
timeout: 10s
```
- **Log files:** You can get them by package the `/var/log/harbor/` .
Metrics of DB

Metrics of Harbor Core and Jobservice


Logs of retention job

A lot of error "the object has been modified; please apply your changes to the latest version and try again""


| True | High(100%) CPU usage of DB when run retention with v2.5.1 - **Expected behavior and actual behavior:**
The performance of Harbor would be influenced when run retention job. The CPU usage of DB would be immediately soar to almost 100%. The retention job run slowly.
Our Harbor has huge images data, almost 37Ti.
**Steps to reproduce the problem:**
Run a retention job on a project with many tags to delete.
**Versions:**
Please specify the versions of following systems.
Installed by Helm and use external Redis, PostgreSQL, EFS on AWS
- harbor version: v2.5.1
- K8S version: v1.21.10
- Helm: v3.7.1
- Redis: v5.0.6. 6.38Gi memory + up to 10 Gi network performance
- PostgreSQL: v11.13, 4CPU+16Gi
**Additional context:**
- **Harbor config files:**
values.yaml
```yaml
expose:
# Set how to expose the service. Set the type as "ingress", "clusterIP", "nodePort" or "loadBalancer"
# and fill the information in the corresponding section
type: ingress
tls:
# Enable TLS or not.
# Delete the "ssl-redirect" annotations in "expose.ingress.annotations" when TLS is disabled and "expose.type" is "ingress"
# Note: if the "expose.type" is "ingress" and TLS is disabled,
# the port must be included in the command when pulling/pushing images.
# Refer to https://github.com/goharbor/harbor/issues/5291 for details.
enabled: true
# The source of the tls certificate. Set as "auto", "secret"
# or "none" and fill the information in the corresponding section
# 1) auto: generate the tls certificate automatically
# 2) secret: read the tls certificate from the specified secret.
# The tls certificate can be generated manually or by cert manager
# 3) none: configure no tls certificate for the ingress. If the default
# tls certificate is configured in the ingress controller, choose this option
certSource: secret
auto:
# The common name used to generate the certificate, it's necessary
# when the type isn't "ingress"
commonName: ""
secret:
# The name of secret which contains keys named:
# "tls.crt" - the certificate
# "tls.key" - the private key
secretName: "harbor.XXX"
# The name of secret which contains keys named:
# "tls.crt" - the certificate
# "tls.key" - the private key
# Only needed when the "expose.type" is "ingress".
notarySecretName: "notary.XXX"
ingress:
hosts:
core: harbor.XXX
notary: notary.XXX
# set to the type of ingress controller if it has specific requirements.
# leave as `default` for most ingress controllers.
# set to `gce` if using the GCE ingress controller
# set to `ncp` if using the NCP (NSX-T Container Plugin) ingress controller
controller: default
## Allow .Capabilities.KubeVersion.Version to be overridden while creating ingress
kubeVersionOverride: ""
className: ""
annotations:
# note different ingress controllers may require a different ssl-redirect annotation
# for Envoy, use ingress.kubernetes.io/force-ssl-redirect: "true" and remove the nginx lines below
ingress.kubernetes.io/ssl-redirect: "true"
ingress.kubernetes.io/proxy-body-size: "0"
nginx.ingress.kubernetes.io/ssl-redirect: "true"
nginx.ingress.kubernetes.io/proxy-body-size: "0"
nginx.ingress.kubernetes.io/proxy-connect-timeout: "300"
nginx.ingress.kubernetes.io/proxy-read-timeout: "300"
nginx.ingress.kubernetes.io/proxy-send-timeout: "300"
kubernetes.io/ingress.class: "nginx"
cert-manager.io/cluster-issuer: "letsencrypt-prod"
notary:
# notary ingress-specific annotations
annotations: {}
# notary ingress-specific labels
labels: {}
harbor:
# harbor ingress-specific annotations
annotations: {}
# harbor ingress-specific labels
labels: {}
clusterIP:
# The name of ClusterIP service
name: harbor
# Annotations on the ClusterIP service
annotations: {}
ports:
# The service port Harbor listens on when serving HTTP
httpPort: 80
# The service port Harbor listens on when serving HTTPS
httpsPort: 443
# The service port Notary listens on. Only needed when notary.enabled
# is set to true
notaryPort: 4443
nodePort:
# The name of NodePort service
name: harbor
ports:
http:
# The service port Harbor listens on when serving HTTP
port: 80
# The node port Harbor listens on when serving HTTP
nodePort: 30002
https:
# The service port Harbor listens on when serving HTTPS
port: 443
# The node port Harbor listens on when serving HTTPS
nodePort: 30003
# Only needed when notary.enabled is set to true
notary:
# The service port Notary listens on
port: 4443
# The node port Notary listens on
nodePort: 30004
loadBalancer:
# The name of LoadBalancer service
name: harbor
# Set the IP if the LoadBalancer supports assigning IP
IP: ""
ports:
# The service port Harbor listens on when serving HTTP
httpPort: 80
# The service port Harbor listens on when serving HTTPS
httpsPort: 443
# The service port Notary listens on. Only needed when notary.enabled
# is set to true
notaryPort: 4443
annotations: {}
sourceRanges: []
# The external URL for Harbor core service. It is used to
# 1) populate the docker/helm commands showed on portal
# 2) populate the token service URL returned to docker/notary client
#
# Format: protocol://domain[:port]. Usually:
# 1) if "expose.type" is "ingress", the "domain" should be
# the value of "expose.ingress.hosts.core"
# 2) if "expose.type" is "clusterIP", the "domain" should be
# the value of "expose.clusterIP.name"
# 3) if "expose.type" is "nodePort", the "domain" should be
# the IP address of k8s node
#
# If Harbor is deployed behind the proxy, set it as the URL of proxy
externalURL: https://harbor.XXX
# The internal TLS used for harbor components secure communicating. In order to enable https
# in each components tls cert files need to provided in advance.
internalTLS:
# If internal TLS enabled
enabled: false
# There are three ways to provide tls
# 1) "auto" will generate cert automatically
# 2) "manual" need provide cert file manually in following value
# 3) "secret" internal certificates from secret
certSource: "auto"
# The content of trust ca, only available when `certSource` is "manual"
trustCa: ""
# core related cert configuration
core:
# secret name for core's tls certs
secretName: ""
# Content of core's TLS cert file, only available when `certSource` is "manual"
crt: ""
# Content of core's TLS key file, only available when `certSource` is "manual"
key: ""
# jobservice related cert configuration
jobservice:
# secret name for jobservice's tls certs
secretName: ""
# Content of jobservice's TLS key file, only available when `certSource` is "manual"
crt: ""
# Content of jobservice's TLS key file, only available when `certSource` is "manual"
key: ""
# registry related cert configuration
registry:
# secret name for registry's tls certs
secretName: ""
# Content of registry's TLS key file, only available when `certSource` is "manual"
crt: ""
# Content of registry's TLS key file, only available when `certSource` is "manual"
key: ""
# portal related cert configuration
portal:
# secret name for portal's tls certs
secretName: ""
# Content of portal's TLS key file, only available when `certSource` is "manual"
crt: ""
# Content of portal's TLS key file, only available when `certSource` is "manual"
key: ""
# chartmuseum related cert configuration
chartmuseum:
# secret name for chartmuseum's tls certs
secretName: ""
# Content of chartmuseum's TLS key file, only available when `certSource` is "manual"
crt: ""
# Content of chartmuseum's TLS key file, only available when `certSource` is "manual"
key: ""
# trivy related cert configuration
trivy:
# secret name for trivy's tls certs
secretName: ""
# Content of trivy's TLS key file, only available when `certSource` is "manual"
crt: ""
# Content of trivy's TLS key file, only available when `certSource` is "manual"
key: ""
ipFamily:
# ipv6Enabled set to true if ipv6 is enabled in cluster, currently it affected the nginx related component
ipv6:
enabled: true
# ipv4Enabled set to true if ipv4 is enabled in cluster, currently it affected the nginx related component
ipv4:
enabled: true
# The persistence is enabled by default and a default StorageClass
# is needed in the k8s cluster to provision volumes dynamically.
# Specify another StorageClass in the "storageClass" or set "existingClaim"
# if you already have existing persistent volumes to use
#
# For storing images and charts, you can also use "azure", "gcs", "s3",
# "swift" or "oss". Set it in the "imageChartStorage" section
persistence:
enabled: true
# Setting it to "keep" to avoid removing PVCs during a helm delete
# operation. Leaving it empty will delete PVCs after the chart deleted
# (this does not apply for PVCs that are created for internal database
# and redis components, i.e. they are never deleted automatically)
resourcePolicy: "keep"
persistentVolumeClaim:
registry:
# Use the existing PVC which must be created manually before bound,
# and specify the "subPath" if the PVC is shared with other components
existingClaim: ""
# Specify the "storageClass" used to provision the volume. Or the default
# StorageClass will be used (the default).
# Set it to "-" to disable dynamic provisioning
storageClass: "-"
subPath: ""
accessMode: ReadWriteMany
size: 1Gi # no effect for nfs
efsName: <efs-address>
chartmuseum:
existingClaim: ""
storageClass: "-"
subPath: ""
accessMode: ReadWriteMany
size: 1Gi # no effect for nfs
efsName: <efs-address>
jobservice:
existingClaim: ""
storageClass: "-"
subPath: ""
accessMode: ReadWriteOnce
size: 1Gi
annotations: {}
# If external database is used, the following settings for database will
# be ignored
database:
existingClaim: ""
storageClass: ""
subPath: ""
accessMode: ReadWriteOnce
size: 1Gi
annotations: {}
# If external Redis is used, the following settings for Redis will
# be ignored
redis:
existingClaim: ""
storageClass: ""
subPath: ""
accessMode: ReadWriteOnce
size: 1Gi
annotations: {}
trivy:
existingClaim: ""
storageClass: ""
subPath: ""
accessMode: ReadWriteOnce
size: 5Gi
annotations: {}
# Define which storage backend is used for registry and chartmuseum to store
# images and charts. Refer to
# https://github.com/docker/distribution/blob/master/docs/configuration.md#storage
# for the detail.
imageChartStorage:
# Specify whether to disable `redirect` for images and chart storage, for
# backends which not supported it (such as using minio for `s3` storage type), please disable
# it. To disable redirects, simply set `disableredirect` to `true` instead.
# Refer to
# https://github.com/docker/distribution/blob/master/docs/configuration.md#redirect
# for the detail.
disableredirect: false
# Specify the "caBundleSecretName" if the storage service uses a self-signed certificate.
# The secret must contain keys named "ca.crt" which will be injected into the trust store
# of registry's and chartmuseum's containers.
# caBundleSecretName:
# Specify the type of storage: "filesystem", "azure", "gcs", "s3", "swift",
# "oss" and fill the information needed in the corresponding section. The type
# must be "filesystem" if you want to use persistent volumes for registry
# and chartmuseum
type: filesystem
filesystem:
rootdirectory: /storage
#maxthreads: 100
azure:
accountname: accountname
accountkey: base64encodedaccountkey
container: containername
#realm: core.windows.net
gcs:
bucket: bucketname
# The base64 encoded json file which contains the key
encodedkey: base64-encoded-json-key-file
#rootdirectory: /gcs/object/name/prefix
#chunksize: "5242880"
s3:
region: us-west-1
bucket: bucketname
#accesskey: awsaccesskey
#secretkey: awssecretkey
#regionendpoint: http://myobjects.local
#encrypt: false
#keyid: mykeyid
#secure: true
#skipverify: false
#v4auth: true
#chunksize: "5242880"
#rootdirectory: /s3/object/name/prefix
#storageclass: STANDARD
#multipartcopychunksize: "33554432"
#multipartcopymaxconcurrency: 100
#multipartcopythresholdsize: "33554432"
swift:
authurl: https://storage.myprovider.com/v3/auth
username: username
password: password
container: containername
#region: fr
#tenant: tenantname
#tenantid: tenantid
#domain: domainname
#domainid: domainid
#trustid: trustid
#insecureskipverify: false
#chunksize: 5M
#prefix:
#secretkey: secretkey
#accesskey: accesskey
#authversion: 3
#endpointtype: public
#tempurlcontainerkey: false
#tempurlmethods:
oss:
accesskeyid: accesskeyid
accesskeysecret: accesskeysecret
region: regionname
bucket: bucketname
#endpoint: endpoint
#internal: false
#encrypt: false
#secure: true
#chunksize: 10M
#rootdirectory: rootdirectory
imagePullPolicy: IfNotPresent
# Use this set to assign a list of default pullSecrets
imagePullSecrets:
# - name: docker-registry-secret
# - name: internal-registry-secret
# The update strategy for deployments with persistent volumes(jobservice, registry
# and chartmuseum): "RollingUpdate" or "Recreate"
# Set it as "Recreate" when "RWM" for volumes isn't supported
updateStrategy:
type: RollingUpdate
# debug, info, warning, error or fatal
logLevel: info
# The initial password of Harbor admin. Change it from portal after launching Harbor
harborAdminPassword: "Harbor12345"
# The name of the secret which contains key named "ca.crt". Setting this enables the
# download link on portal to download the CA certificate when the certificate isn't
# generated automatically
caSecretName: ""
# The secret key used for encryption. Must be a string of 16 chars.
secretKey: "not-a-secure-key"
# The proxy settings for updating trivy vulnerabilities from the Internet and replicating
# artifacts from/to the registries that cannot be reached directly
proxy:
httpProxy:
httpsProxy:
noProxy: 127.0.0.1,localhost,.local,.internal
components:
- core
- jobservice
- trivy
# Run the migration job via helm hook
enableMigrateHelmHook: false
# The custom ca bundle secret, the secret must contain key named "ca.crt"
# which will be injected into the trust store for chartmuseum, core, jobservice, registry, trivy components
# caBundleSecretName: ""
## UAA Authentication Options
# If you're using UAA for authentication behind a self-signed
# certificate you will need to provide the CA Cert.
# Set uaaSecretName below to provide a pre-created secret that
# contains a base64 encoded CA Certificate named `ca.crt`.
# uaaSecretName:
# If service exposed via "ingress", the Nginx will not be used
nginx:
image:
repository: goharbor/nginx-photon
tag: v2.5.1
# set the service account to be used, default if left empty
serviceAccountName: ""
# mount the service account token
automountServiceAccountToken: false
replicas: 1
revisionHistoryLimit: 10
# resources:
# requests:
# memory: 256Mi
# cpu: 100m
nodeSelector: {}
tolerations: []
affinity: {}
## Additional deployment annotations
podAnnotations: {}
## The priority class to run the pod as
priorityClassName:
portal:
image:
repository: goharbor/harbor-portal
tag: v2.5.1
# set the service account to be used, default if left empty
serviceAccountName: ""
# mount the service account token
automountServiceAccountToken: false
replicas: 1
revisionHistoryLimit: 10
# resources:
# requests:
# memory: 256Mi
# cpu: 100m
nodeSelector: {}
tolerations: []
affinity: {}
## Additional deployment annotations
podAnnotations: {}
## The priority class to run the pod as
priorityClassName:
core:
image:
repository: goharbor/harbor-core
tag: v2.5.1
# set the service account to be used, default if left empty
serviceAccountName: ""
# mount the service account token
automountServiceAccountToken: false
replicas: 1
revisionHistoryLimit: 10
## Startup probe values
startupProbe:
enabled: true
initialDelaySeconds: 10
resources:
requests:
memory: 300Mi
cpu: 300m
limits:
memory: 4G
cpu: 2
nodeSelector: {}
tolerations: []
affinity: {}
## Additional deployment annotations
podAnnotations: {}
# Secret is used when core server communicates with other components.
# If a secret key is not specified, Helm will generate one.
# Must be a string of 16 chars.
secret: ""
# Fill the name of a kubernetes secret if you want to use your own
# TLS certificate and private key for token encryption/decryption.
# The secret must contain keys named:
# "tls.crt" - the certificate
# "tls.key" - the private key
# The default key pair will be used if it isn't set
secretName: ""
# The XSRF key. Will be generated automatically if it isn't specified
xsrfKey: ""
## The priority class to run the pod as
priorityClassName:
# The time duration for async update artifact pull_time and repository
# pull_count, the unit is second. Will be 10 seconds if it isn't set.
# eg. artifactPullAsyncFlushDuration: 10
artifactPullAsyncFlushDuration:
jobservice:
image:
repository: goharbor/harbor-jobservice
tag: v2.5.1
replicas: 1
revisionHistoryLimit: 10
# set the service account to be used, default if left empty
serviceAccountName: ""
# mount the service account token
automountServiceAccountToken: false
maxJobWorkers: 20
# The logger for jobs: "file", "database" or "stdout"
jobLoggers:
- file
# - database
# - stdout
# The jobLogger sweeper duration (ignored if `jobLogger` is `stdout`)
loggerSweeperDuration: 14 #days
# resources:
# requests:
# memory: 256Mi
# cpu: 100m
nodeSelector: {}
tolerations: []
affinity: {}
## Additional deployment annotations
podAnnotations: {}
# Secret is used when job service communicates with other components.
# If a secret key is not specified, Helm will generate one.
# Must be a string of 16 chars.
secret: ""
## The priority class to run the pod as
priorityClassName:
registry:
# set the service account to be used, default if left empty
serviceAccountName: ""
# mount the service account token
automountServiceAccountToken: false
registry:
image:
repository: goharbor/registry-photon
tag: v2.5.1
resources:
requests:
memory: 60G
cpu: 500m
limits:
memory: 60G
cpu: 2
controller:
image:
repository: goharbor/harbor-registryctl
tag: v2.5.1
# resources:
# requests:
# memory: 256Mi
# cpu: 100m
replicas: 2
revisionHistoryLimit: 10
nodeSelector: {}
tolerations: []
affinity: {}
## Additional deployment annotations
podAnnotations: {}
## The priority class to run the pod as
priorityClassName:
# Secret is used to secure the upload state from client
# and registry storage backend.
# See: https://github.com/docker/distribution/blob/master/docs/configuration.md#http
# If a secret key is not specified, Helm will generate one.
# Must be a string of 16 chars.
secret: ""
# If true, the registry returns relative URLs in Location headers. The client is responsible for resolving the correct URL.
relativeurls: false
credentials:
username: "harbor_registry_user"
password: "harbor_registry_password"
# Login and password in htpasswd string format. Excludes `registry.credentials.username` and `registry.credentials.password`. May come in handy when integrating with tools like argocd or flux. This allows the same line to be generated each time the template is rendered, instead of the `htpasswd` function from helm, which generates different lines each time because of the salt.
htpasswd: "XXX"
middleware:
enabled: false
type: cloudFront
cloudFront:
baseurl: example.cloudfront.net
keypairid: KEYPAIRID
duration: 3000s
ipfilteredby: none
# The secret key that should be present is CLOUDFRONT_KEY_DATA, which should be the encoded private key
# that allows access to CloudFront
privateKeySecret: "my-secret"
# enable purge _upload directories
upload_purging:
enabled: true
# remove files in _upload directories which exist for a period of time, default is one week.
age: 168h
# the interval of the purge operations
interval: 24h
dryrun: false
chartmuseum:
enabled: true
# set the service account to be used, default if left empty
serviceAccountName: ""
# mount the service account token
automountServiceAccountToken: false
# Harbor defaults ChartMuseum to returning relative urls, if you want using absolute url you should enable it by change the following value to 'true'
absoluteUrl: false
image:
repository: harbor.XXX/eureka/chartmuseum-code
tag: 0.0.15-hotfix
replicas: 1
resources:
requests:
memory: 1G
cpu: 1
limits:
memory: 4G
cpu: 2
revisionHistoryLimit: 10
nodeSelector: {}
tolerations: []
affinity: {}
## Additional deployment annotations
podAnnotations: {}
## The priority class to run the pod as
priorityClassName:
## limit the number of parallel indexers
indexLimit: 0
trivy:
# enabled the flag to enable Trivy scanner
enabled: false
image:
# repository the repository for Trivy adapter image
repository: goharbor/trivy-adapter-photon
# tag the tag for Trivy adapter image
tag: v2.5.1
# set the service account to be used, default if left empty
serviceAccountName: ""
# mount the service account token
automountServiceAccountToken: false
# replicas the number of Pod replicas
replicas: 1
# debugMode the flag to enable Trivy debug mode with more verbose scanning log
debugMode: false
# vulnType a comma-separated list of vulnerability types. Possible values are `os` and `library`.
vulnType: "os,library"
# severity a comma-separated list of severities to be checked
severity: "UNKNOWN,LOW,MEDIUM,HIGH,CRITICAL"
# ignoreUnfixed the flag to display only fixed vulnerabilities
ignoreUnfixed: false
# insecure the flag to skip verifying registry certificate
insecure: false
# gitHubToken the GitHub access token to download Trivy DB
#
# Trivy DB contains vulnerability information from NVD, Red Hat, and many other upstream vulnerability databases.
# It is downloaded by Trivy from the GitHub release page https://github.com/aquasecurity/trivy-db/releases and cached
# in the local file system (`/home/scanner/.cache/trivy/db/trivy.db`). In addition, the database contains the update
# timestamp so Trivy can detect whether it should download a newer version from the Internet or use the cached one.
# Currently, the database is updated every 12 hours and published as a new release to GitHub.
#
# Anonymous downloads from GitHub are subject to the limit of 60 requests per hour. Normally such rate limit is enough
# for production operations. If, for any reason, it's not enough, you could increase the rate limit to 5000
# requests per hour by specifying the GitHub access token. For more details on GitHub rate limiting please consult
# https://developer.github.com/v3/#rate-limiting
#
# You can create a GitHub token by following the instructions in
# https://help.github.com/en/github/authenticating-to-github/creating-a-personal-access-token-for-the-command-line
gitHubToken: ""
# skipUpdate the flag to disable Trivy DB downloads from GitHub
#
# You might want to set the value of this flag to `true` in test or CI/CD environments to avoid GitHub rate limiting issues.
# If the value is set to `true` you have to manually download the `trivy.db` file and mount it in the
# `/home/scanner/.cache/trivy/db/trivy.db` path.
skipUpdate: false
# The offlineScan option prevents Trivy from sending API requests to identify dependencies.
#
# Scanning JAR files and pom.xml may require Internet access for better detection, but this option tries to avoid it.
# For example, the offline mode will not try to resolve transitive dependencies in pom.xml when the dependency doesn't
# exist in the local repositories. It means a number of detected vulnerabilities might be fewer in offline mode.
# It would work if all the dependencies are in local.
# This option doesn’t affect DB download. You need to specify skipUpdate as well as offlineScan in an air-gapped environment.
offlineScan: false
# The duration to wait for scan completion
timeout: 5m0s
resources:
requests:
cpu: 200m
memory: 512Mi
limits:
cpu: 1
memory: 1Gi
nodeSelector: {}
tolerations: []
affinity: {}
## Additional deployment annotations
podAnnotations: {}
## The priority class to run the pod as
priorityClassName:
notary:
enabled: true
server:
# set the service account to be used, default if left empty
serviceAccountName: ""
# mount the service account token
automountServiceAccountToken: false
image:
repository: goharbor/notary-server-photon
tag: v2.5.1
replicas: 1
# resources:
# requests:
# memory: 256Mi
# cpu: 100m
nodeSelector: {}
tolerations: []
affinity: {}
## Additional deployment annotations
podAnnotations: {}
## The priority class to run the pod as
priorityClassName:
signer:
# set the service account to be used, default if left empty
serviceAccountName: ""
# mount the service account token
automountServiceAccountToken: false
image:
repository: goharbor/notary-signer-photon
tag: v2.5.1
replicas: 1
# resources:
# requests:
# memory: 256Mi
# cpu: 100m
nodeSelector: {}
tolerations: []
affinity: {}
## Additional deployment annotations
podAnnotations: {}
## The priority class to run the pod as
priorityClassName:
# Fill the name of a kubernetes secret if you want to use your own
# TLS certificate authority, certificate and private key for notary
# communications.
# The secret must contain keys named ca.crt, tls.crt and tls.key that
# contain the CA, certificate and private key.
# They will be generated if not set.
secretName: ""
database:
# if external database is used, set "type" to "external"
# and fill the connection informations in "external" section
type: external
internal:
# set the service account to be used, default if left empty
serviceAccountName: ""
# mount the service account token
automountServiceAccountToken: false
image:
repository: goharbor/harbor-db
tag: v2.5.1
# The initial superuser password for internal database
password: "changeit"
# The size limit for Shared memory, pgSQL use it for shared_buffer
# More details see:
# https://github.com/goharbor/harbor/issues/15034
shmSizeLimit: 512Mi
# resources:
# requests:
# memory: 256Mi
# cpu: 100m
nodeSelector: {}
tolerations: []
affinity: {}
## The priority class to run the pod as
priorityClassName:
initContainer:
migrator: {}
# resources:
# requests:
# memory: 128Mi
# cpu: 100m
permissions: {}
# resources:
# requests:
# memory: 128Mi
# cpu: 100m
external:
host: "rds on AWS"
port: "5432"
username: "postgres"
coreDatabase: "registry"
notaryServerDatabase: "notaryserver"
notarySignerDatabase: "notarysigner"
# "disable" - No SSL
# "require" - Always SSL (skip verification)
# "verify-ca" - Always SSL (verify that the certificate presented by the
# server was signed by a trusted CA)
# "verify-full" - Always SSL (verify that the certification presented by the
# server was signed by a trusted CA and the server host name matches the one
# in the certificate)
sslmode: "disable"
# The maximum number of connections in the idle connection pool per pod (core+exporter).
# If it <=0, no idle connections are retained.
maxIdleConns: 100
# The maximum number of open connections to the database per pod (core+exporter).
# If it <= 0, then there is no limit on the number of open connections.
# Note: the default number of connections is 1024 for postgre of harbor.
maxOpenConns: 900
## Additional deployment annotations
podAnnotations: {}
## used AWS EFS need run container with ROOT user
securityContext:
runAsUser: 0
redis:
# if external Redis is used, set "type" to "external"
# and fill the connection informations in "external" section
type: external
internal:
# set the service account to be used, default if left empty
serviceAccountName: ""
# mount the service account token
automountServiceAccountToken: false
image:
repository: goharbor/redis-photon
tag: v2.5.1
# resources:
# requests:
# memory: 256Mi
# cpu: 100m
nodeSelector: {}
tolerations: []
affinity: {}
## The priority class to run the pod as
priorityClassName:
external:
# support redis, redis+sentinel
# addr for redis: <host_redis>:<port_redis>
# addr for redis+sentinel: <host_sentinel1>:<port_sentinel1>,<host_sentinel2>:<port_sentinel2>,<host_sentinel3>:<port_sentinel3>
addr: "redis on aws"
# The name of the set of Redis instances to monitor, it must be set to support redis+sentinel
sentinelMasterSet: ""
# The "coreDatabaseIndex" must be "0" as the library Harbor
# used doesn't support configuring it
coreDatabaseIndex: "0"
jobserviceDatabaseIndex: "1"
registryDatabaseIndex: "2"
chartmuseumDatabaseIndex: "3"
trivyAdapterIndex: "5"
password: ""
## Additional deployment annotations
podAnnotations: {}
exporter:
replicas: 1
revisionHistoryLimit: 10
# resources:
# requests:
# memory: 256Mi
# cpu: 100m
podAnnotations: {}
serviceAccountName: ""
# mount the service account token
automountServiceAccountToken: false
image:
repository: goharbor/harbor-exporter
tag: v2.5.1
nodeSelector: {}
tolerations: []
affinity: {}
cacheDuration: 23
cacheCleanInterval: 14400
## The priority class to run the pod as
priorityClassName:
metrics:
enabled: true
core:
path: /metrics
port: 8001
registry:
path: /metrics
port: 8001
jobservice:
path: /metrics
port: 8001
exporter:
path: /metrics
port: 8001
## Create prometheus serviceMonitor to scrape harbor metrics.
## This requires the monitoring.coreos.com/v1 CRD. Please see
## https://github.com/prometheus-operator/prometheus-operator/blob/master/Documentation/user-guides/getting-started.md
##
serviceMonitor:
enabled: false
additionalLabels: {}
# Scrape interval. If not set, the Prometheus default scrape interval is used.
interval: ""
# Metric relabel configs to apply to samples before ingestion.
metricRelabelings: []
# - action: keep
# regex: 'kube_(daemonset|deployment|pod|namespace|node|statefulset).+'
# sourceLabels: [__name__]
# Relabel configs to apply to samples before ingestion.
relabelings: []
# - sourceLabels: [__meta_kubernetes_pod_node_name]
# separator: ;
# regex: ^(.*)$
# targetLabel: nodename
# replacement: $1
# action: replace
trace:
enabled: false
# trace provider: jaeger or otel
# jaeger should be 1.26+
provider: jaeger
# set sample_rate to 1 if you wanna sampling 100% of trace data; set 0.5 if you wanna sampling 50% of trace data, and so forth
sample_rate: 1
# namespace used to differentiate different harbor services
# namespace:
# attributes is a key value dict contains user defined attributes used to initialize trace provider
# attributes:
# application: harbor
jaeger:
# jaeger supports two modes:
# collector mode(uncomment endpoint and uncomment username, password if needed)
# agent mode(uncomment agent_host and agent_port)
endpoint: http://hostname:14268/api/traces
# username:
# password:
# agent_host: hostname
# export trace data by jaeger.thrift in compact mode
# agent_port: 6831
otel:
endpoint: hostname:4318
url_path: /v1/traces
compression: false
insecure: true
timeout: 10s
```
- **Log files:** You can get them by package the `/var/log/harbor/` .
Metrics of DB

Metrics of Harbor Core and Jobservice


Logs of retention job

A lot of error "the object has been modified; please apply your changes to the latest version and try again""


| non_design | high cpu usage of db when run retention with expected behavior and actual behavior the performance of harbor would be influenced when run retention job the cpu usage of db would be immediately soar to almost the retention job run slowly our harbor has huge images data almost steps to reproduce the problem run a retention job on a project with many tags to delete versions please specify the versions of following systems installed by helm and use external redis postgresql efs on aws harbor version version helm redis memory up to gi network performance postgresql additional context harbor config files values yaml yaml expose set how to expose the service set the type as ingress clusterip nodeport or loadbalancer and fill the information in the corresponding section type ingress tls enable tls or not delete the ssl redirect annotations in expose ingress annotations when tls is disabled and expose type is ingress note if the expose type is ingress and tls is disabled the port must be included in the command when pulling pushing images refer to for details enabled true the source of the tls certificate set as auto secret or none and fill the information in the corresponding section auto generate the tls certificate automatically secret read the tls certificate from the specified secret the tls certificate can be generated manually or by cert manager none configure no tls certificate for the ingress if the default tls certificate is configured in the ingress controller choose this option certsource secret auto the common name used to generate the certificate it s necessary when the type isn t ingress commonname secret the name of secret which contains keys named tls crt the certificate tls key the private key secretname harbor xxx the name of secret which contains keys named tls crt the certificate tls key the private key only needed when the expose type is ingress notarysecretname notary xxx ingress hosts core harbor xxx notary notary xxx set to the type of ingress controller if it has specific requirements leave as default for most ingress controllers set to gce if using the gce ingress controller set to ncp if using the ncp nsx t container plugin ingress controller controller default allow capabilities kubeversion version to be overridden while creating ingress kubeversionoverride classname annotations note different ingress controllers may require a different ssl redirect annotation for envoy use ingress kubernetes io force ssl redirect true and remove the nginx lines below ingress kubernetes io ssl redirect true ingress kubernetes io proxy body size nginx ingress kubernetes io ssl redirect true nginx ingress kubernetes io proxy body size nginx ingress kubernetes io proxy connect timeout nginx ingress kubernetes io proxy read timeout nginx ingress kubernetes io proxy send timeout kubernetes io ingress class nginx cert manager io cluster issuer letsencrypt prod notary notary ingress specific annotations annotations notary ingress specific labels labels harbor harbor ingress specific annotations annotations harbor ingress specific labels labels clusterip the name of clusterip service name harbor annotations on the clusterip service annotations ports the service port harbor listens on when serving http httpport the service port harbor listens on when serving https httpsport the service port notary listens on only needed when notary enabled is set to true notaryport nodeport the name of nodeport service name harbor ports http the service port harbor listens on when serving http port the node port harbor listens on when serving http nodeport https the service port harbor listens on when serving https port the node port harbor listens on when serving https nodeport only needed when notary enabled is set to true notary the service port notary listens on port the node port notary listens on nodeport loadbalancer the name of loadbalancer service name harbor set the ip if the loadbalancer supports assigning ip ip ports the service port harbor listens on when serving http httpport the service port harbor listens on when serving https httpsport the service port notary listens on only needed when notary enabled is set to true notaryport annotations sourceranges the external url for harbor core service it is used to populate the docker helm commands showed on portal populate the token service url returned to docker notary client format protocol domain usually if expose type is ingress the domain should be the value of expose ingress hosts core if expose type is clusterip the domain should be the value of expose clusterip name if expose type is nodeport the domain should be the ip address of node if harbor is deployed behind the proxy set it as the url of proxy externalurl the internal tls used for harbor components secure communicating in order to enable https in each components tls cert files need to provided in advance internaltls if internal tls enabled enabled false there are three ways to provide tls auto will generate cert automatically manual need provide cert file manually in following value secret internal certificates from secret certsource auto the content of trust ca only available when certsource is manual trustca core related cert configuration core secret name for core s tls certs secretname content of core s tls cert file only available when certsource is manual crt content of core s tls key file only available when certsource is manual key jobservice related cert configuration jobservice secret name for jobservice s tls certs secretname content of jobservice s tls key file only available when certsource is manual crt content of jobservice s tls key file only available when certsource is manual key registry related cert configuration registry secret name for registry s tls certs secretname content of registry s tls key file only available when certsource is manual crt content of registry s tls key file only available when certsource is manual key portal related cert configuration portal secret name for portal s tls certs secretname content of portal s tls key file only available when certsource is manual crt content of portal s tls key file only available when certsource is manual key chartmuseum related cert configuration chartmuseum secret name for chartmuseum s tls certs secretname content of chartmuseum s tls key file only available when certsource is manual crt content of chartmuseum s tls key file only available when certsource is manual key trivy related cert configuration trivy secret name for trivy s tls certs secretname content of trivy s tls key file only available when certsource is manual crt content of trivy s tls key file only available when certsource is manual key ipfamily set to true if is enabled in cluster currently it affected the nginx related component enabled true set to true if is enabled in cluster currently it affected the nginx related component enabled true the persistence is enabled by default and a default storageclass is needed in the cluster to provision volumes dynamically specify another storageclass in the storageclass or set existingclaim if you already have existing persistent volumes to use for storing images and charts you can also use azure gcs swift or oss set it in the imagechartstorage section persistence enabled true setting it to keep to avoid removing pvcs during a helm delete operation leaving it empty will delete pvcs after the chart deleted this does not apply for pvcs that are created for internal database and redis components i e they are never deleted automatically resourcepolicy keep persistentvolumeclaim registry use the existing pvc which must be created manually before bound and specify the subpath if the pvc is shared with other components existingclaim specify the storageclass used to provision the volume or the default storageclass will be used the default set it to to disable dynamic provisioning storageclass subpath accessmode readwritemany size no effect for nfs efsname chartmuseum existingclaim storageclass subpath accessmode readwritemany size no effect for nfs efsname jobservice existingclaim storageclass subpath accessmode readwriteonce size annotations if external database is used the following settings for database will be ignored database existingclaim storageclass subpath accessmode readwriteonce size annotations if external redis is used the following settings for redis will be ignored redis existingclaim storageclass subpath accessmode readwriteonce size annotations trivy existingclaim storageclass subpath accessmode readwriteonce size annotations define which storage backend is used for registry and chartmuseum to store images and charts refer to for the detail imagechartstorage specify whether to disable redirect for images and chart storage for backends which not supported it such as using minio for storage type please disable it to disable redirects simply set disableredirect to true instead refer to for the detail disableredirect false specify the cabundlesecretname if the storage service uses a self signed certificate the secret must contain keys named ca crt which will be injected into the trust store of registry s and chartmuseum s containers cabundlesecretname specify the type of storage filesystem azure gcs swift oss and fill the information needed in the corresponding section the type must be filesystem if you want to use persistent volumes for registry and chartmuseum type filesystem filesystem rootdirectory storage maxthreads azure accountname accountname accountkey container containername realm core windows net gcs bucket bucketname the encoded json file which contains the key encodedkey encoded json key file rootdirectory gcs object name prefix chunksize region us west bucket bucketname accesskey awsaccesskey secretkey awssecretkey regionendpoint encrypt false keyid mykeyid secure true skipverify false true chunksize rootdirectory object name prefix storageclass standard multipartcopychunksize multipartcopymaxconcurrency multipartcopythresholdsize swift authurl username username password password container containername region fr tenant tenantname tenantid tenantid domain domainname domainid domainid trustid trustid insecureskipverify false chunksize prefix secretkey secretkey accesskey accesskey authversion endpointtype public tempurlcontainerkey false tempurlmethods oss accesskeyid accesskeyid accesskeysecret accesskeysecret region regionname bucket bucketname endpoint endpoint internal false encrypt false secure true chunksize rootdirectory rootdirectory imagepullpolicy ifnotpresent use this set to assign a list of default pullsecrets imagepullsecrets name docker registry secret name internal registry secret the update strategy for deployments with persistent volumes jobservice registry and chartmuseum rollingupdate or recreate set it as recreate when rwm for volumes isn t supported updatestrategy type rollingupdate debug info warning error or fatal loglevel info the initial password of harbor admin change it from portal after launching harbor harboradminpassword the name of the secret which contains key named ca crt setting this enables the download link on portal to download the ca certificate when the certificate isn t generated automatically casecretname the secret key used for encryption must be a string of chars secretkey not a secure key the proxy settings for updating trivy vulnerabilities from the internet and replicating artifacts from to the registries that cannot be reached directly proxy httpproxy httpsproxy noproxy localhost local internal components core jobservice trivy run the migration job via helm hook enablemigratehelmhook false the custom ca bundle secret the secret must contain key named ca crt which will be injected into the trust store for chartmuseum core jobservice registry trivy components cabundlesecretname uaa authentication options if you re using uaa for authentication behind a self signed certificate you will need to provide the ca cert set uaasecretname below to provide a pre created secret that contains a encoded ca certificate named ca crt uaasecretname if service exposed via ingress the nginx will not be used nginx image repository goharbor nginx photon tag set the service account to be used default if left empty serviceaccountname mount the service account token automountserviceaccounttoken false replicas revisionhistorylimit resources requests memory cpu nodeselector tolerations affinity additional deployment annotations podannotations the priority class to run the pod as priorityclassname portal image repository goharbor harbor portal tag set the service account to be used default if left empty serviceaccountname mount the service account token automountserviceaccounttoken false replicas revisionhistorylimit resources requests memory cpu nodeselector tolerations affinity additional deployment annotations podannotations the priority class to run the pod as priorityclassname core image repository goharbor harbor core tag set the service account to be used default if left empty serviceaccountname mount the service account token automountserviceaccounttoken false replicas revisionhistorylimit startup probe values startupprobe enabled true initialdelayseconds resources requests memory cpu limits memory cpu nodeselector tolerations affinity additional deployment annotations podannotations secret is used when core server communicates with other components if a secret key is not specified helm will generate one must be a string of chars secret fill the name of a kubernetes secret if you want to use your own tls certificate and private key for token encryption decryption the secret must contain keys named tls crt the certificate tls key the private key the default key pair will be used if it isn t set secretname the xsrf key will be generated automatically if it isn t specified xsrfkey the priority class to run the pod as priorityclassname the time duration for async update artifact pull time and repository pull count the unit is second will be seconds if it isn t set eg artifactpullasyncflushduration artifactpullasyncflushduration jobservice image repository goharbor harbor jobservice tag replicas revisionhistorylimit set the service account to be used default if left empty serviceaccountname mount the service account token automountserviceaccounttoken false maxjobworkers the logger for jobs file database or stdout jobloggers file database stdout the joblogger sweeper duration ignored if joblogger is stdout loggersweeperduration days resources requests memory cpu nodeselector tolerations affinity additional deployment annotations podannotations secret is used when job service communicates with other components if a secret key is not specified helm will generate one must be a string of chars secret the priority class to run the pod as priorityclassname registry set the service account to be used default if left empty serviceaccountname mount the service account token automountserviceaccounttoken false registry image repository goharbor registry photon tag resources requests memory cpu limits memory cpu controller image repository goharbor harbor registryctl tag resources requests memory cpu replicas revisionhistorylimit nodeselector tolerations affinity additional deployment annotations podannotations the priority class to run the pod as priorityclassname secret is used to secure the upload state from client and registry storage backend see if a secret key is not specified helm will generate one must be a string of chars secret if true the registry returns relative urls in location headers the client is responsible for resolving the correct url relativeurls false credentials username harbor registry user password harbor registry password login and password in htpasswd string format excludes registry credentials username and registry credentials password may come in handy when integrating with tools like argocd or flux this allows the same line to be generated each time the template is rendered instead of the htpasswd function from helm which generates different lines each time because of the salt htpasswd xxx middleware enabled false type cloudfront cloudfront baseurl example cloudfront net keypairid keypairid duration ipfilteredby none the secret key that should be present is cloudfront key data which should be the encoded private key that allows access to cloudfront privatekeysecret my secret enable purge upload directories upload purging enabled true remove files in upload directories which exist for a period of time default is one week age the interval of the purge operations interval dryrun false chartmuseum enabled true set the service account to be used default if left empty serviceaccountname mount the service account token automountserviceaccounttoken false harbor defaults chartmuseum to returning relative urls if you want using absolute url you should enable it by change the following value to true absoluteurl false image repository harbor xxx eureka chartmuseum code tag hotfix replicas resources requests memory cpu limits memory cpu revisionhistorylimit nodeselector tolerations affinity additional deployment annotations podannotations the priority class to run the pod as priorityclassname limit the number of parallel indexers indexlimit trivy enabled the flag to enable trivy scanner enabled false image repository the repository for trivy adapter image repository goharbor trivy adapter photon tag the tag for trivy adapter image tag set the service account to be used default if left empty serviceaccountname mount the service account token automountserviceaccounttoken false replicas the number of pod replicas replicas debugmode the flag to enable trivy debug mode with more verbose scanning log debugmode false vulntype a comma separated list of vulnerability types possible values are os and library vulntype os library severity a comma separated list of severities to be checked severity unknown low medium high critical ignoreunfixed the flag to display only fixed vulnerabilities ignoreunfixed false insecure the flag to skip verifying registry certificate insecure false githubtoken the github access token to download trivy db trivy db contains vulnerability information from nvd red hat and many other upstream vulnerability databases it is downloaded by trivy from the github release page and cached in the local file system home scanner cache trivy db trivy db in addition the database contains the update timestamp so trivy can detect whether it should download a newer version from the internet or use the cached one currently the database is updated every hours and published as a new release to github anonymous downloads from github are subject to the limit of requests per hour normally such rate limit is enough for production operations if for any reason it s not enough you could increase the rate limit to requests per hour by specifying the github access token for more details on github rate limiting please consult you can create a github token by following the instructions in githubtoken skipupdate the flag to disable trivy db downloads from github you might want to set the value of this flag to true in test or ci cd environments to avoid github rate limiting issues if the value is set to true you have to manually download the trivy db file and mount it in the home scanner cache trivy db trivy db path skipupdate false the offlinescan option prevents trivy from sending api requests to identify dependencies scanning jar files and pom xml may require internet access for better detection but this option tries to avoid it for example the offline mode will not try to resolve transitive dependencies in pom xml when the dependency doesn t exist in the local repositories it means a number of detected vulnerabilities might be fewer in offline mode it would work if all the dependencies are in local this option doesn’t affect db download you need to specify skipupdate as well as offlinescan in an air gapped environment offlinescan false the duration to wait for scan completion timeout resources requests cpu memory limits cpu memory nodeselector tolerations affinity additional deployment annotations podannotations the priority class to run the pod as priorityclassname notary enabled true server set the service account to be used default if left empty serviceaccountname mount the service account token automountserviceaccounttoken false image repository goharbor notary server photon tag replicas resources requests memory cpu nodeselector tolerations affinity additional deployment annotations podannotations the priority class to run the pod as priorityclassname signer set the service account to be used default if left empty serviceaccountname mount the service account token automountserviceaccounttoken false image repository goharbor notary signer photon tag replicas resources requests memory cpu nodeselector tolerations affinity additional deployment annotations podannotations the priority class to run the pod as priorityclassname fill the name of a kubernetes secret if you want to use your own tls certificate authority certificate and private key for notary communications the secret must contain keys named ca crt tls crt and tls key that contain the ca certificate and private key they will be generated if not set secretname database if external database is used set type to external and fill the connection informations in external section type external internal set the service account to be used default if left empty serviceaccountname mount the service account token automountserviceaccounttoken false image repository goharbor harbor db tag the initial superuser password for internal database password changeit the size limit for shared memory pgsql use it for shared buffer more details see shmsizelimit resources requests memory cpu nodeselector tolerations affinity the priority class to run the pod as priorityclassname initcontainer migrator resources requests memory cpu permissions resources requests memory cpu external host rds on aws port username postgres coredatabase registry notaryserverdatabase notaryserver notarysignerdatabase notarysigner disable no ssl require always ssl skip verification verify ca always ssl verify that the certificate presented by the server was signed by a trusted ca verify full always ssl verify that the certification presented by the server was signed by a trusted ca and the server host name matches the one in the certificate sslmode disable the maximum number of connections in the idle connection pool per pod core exporter if it no idle connections are retained maxidleconns the maximum number of open connections to the database per pod core exporter if it then there is no limit on the number of open connections note the default number of connections is for postgre of harbor maxopenconns additional deployment annotations podannotations used aws efs need run container with root user securitycontext runasuser redis if external redis is used set type to external and fill the connection informations in external section type external internal set the service account to be used default if left empty serviceaccountname mount the service account token automountserviceaccounttoken false image repository goharbor redis photon tag resources requests memory cpu nodeselector tolerations affinity the priority class to run the pod as priorityclassname external support redis redis sentinel addr for redis addr for redis sentinel addr redis on aws the name of the set of redis instances to monitor it must be set to support redis sentinel sentinelmasterset the coredatabaseindex must be as the library harbor used doesn t support configuring it coredatabaseindex jobservicedatabaseindex registrydatabaseindex chartmuseumdatabaseindex trivyadapterindex password additional deployment annotations podannotations exporter replicas revisionhistorylimit resources requests memory cpu podannotations serviceaccountname mount the service account token automountserviceaccounttoken false image repository goharbor harbor exporter tag nodeselector tolerations affinity cacheduration cachecleaninterval the priority class to run the pod as priorityclassname metrics enabled true core path metrics port registry path metrics port jobservice path metrics port exporter path metrics port create prometheus servicemonitor to scrape harbor metrics this requires the monitoring coreos com crd please see servicemonitor enabled false additionallabels scrape interval if not set the prometheus default scrape interval is used interval metric relabel configs to apply to samples before ingestion metricrelabelings action keep regex kube daemonset deployment pod namespace node statefulset sourcelabels relabel configs to apply to samples before ingestion relabelings sourcelabels separator regex targetlabel nodename replacement action replace trace enabled false trace provider jaeger or otel jaeger should be provider jaeger set sample rate to if you wanna sampling of trace data set if you wanna sampling of trace data and so forth sample rate namespace used to differentiate different harbor services namespace attributes is a key value dict contains user defined attributes used to initialize trace provider attributes application harbor jaeger jaeger supports two modes collector mode uncomment endpoint and uncomment username password if needed agent mode uncomment agent host and agent port endpoint username password agent host hostname export trace data by jaeger thrift in compact mode agent port otel endpoint hostname url path traces compression false insecure true timeout log files you can get them by package the var log harbor metrics of db metrics of harbor core and jobservice logs of retention job a lot of error the object has been modified please apply your changes to the latest version and try again | 0 |
141,310 | 21,479,353,816 | IssuesEvent | 2022-04-26 16:12:10 | flutter/flutter | https://api.github.com/repos/flutter/flutter | closed | Introduce new Android 12 style ink ripple | severe: new feature framework a: animation f: material design a: fidelity proposal passed first triage | Android 12 introduces a [new patterned touch effect](https://www.androidpolice.com/2021/03/24/android-12-dp-2-has-a-sweet-new-textured-ripple-animation-for-taps/) which looks different to the current `InkWell` implementation.
<img src="https://user-images.githubusercontent.com/1096485/118717266-22f9db00-b826-11eb-94bf-b2b96a0bd005.png" width="240"></img>
Flutter will match this with the upcoming Material You, but will we still be able to use the old InkWell once updated? Will we be able to use the old InkWell for older platforms and the new one starting with Android 12?
| 1.0 | Introduce new Android 12 style ink ripple - Android 12 introduces a [new patterned touch effect](https://www.androidpolice.com/2021/03/24/android-12-dp-2-has-a-sweet-new-textured-ripple-animation-for-taps/) which looks different to the current `InkWell` implementation.
<img src="https://user-images.githubusercontent.com/1096485/118717266-22f9db00-b826-11eb-94bf-b2b96a0bd005.png" width="240"></img>
Flutter will match this with the upcoming Material You, but will we still be able to use the old InkWell once updated? Will we be able to use the old InkWell for older platforms and the new one starting with Android 12?
| design | introduce new android style ink ripple android introduces a which looks different to the current inkwell implementation flutter will match this with the upcoming material you but will we still be able to use the old inkwell once updated will we be able to use the old inkwell for older platforms and the new one starting with android | 1 |
183,907 | 14,262,578,106 | IssuesEvent | 2020-11-20 13:11:57 | brave/brave-browser | https://api.github.com/repos/brave/brave-browser | opened | [Android] App crashes when Tab Groups are enabled | OS/Android QA/Test-Plan-Specified QA/Yes release-notes/include | <!-- Have you searched for similar issues? Before submitting this issue, please check the open issues and add a note before logging a new issue.
PLEASE USE THE TEMPLATE BELOW TO PROVIDE INFORMATION ABOUT THE ISSUE.
INSUFFICIENT INFO WILL GET THE ISSUE CLOSED. IT WILL ONLY BE REOPENED AFTER SUFFICIENT INFO IS PROVIDED-->
## Description <!-- Provide a brief description of the issue -->
App crashes when Tab Groups are enabled from `brave://flags`. Tab Groups don't work with bottom toolbar, so in this case we just need to disable it.
## Steps to reproduce <!-- Please add a series of steps to reproduce the issue -->
1. Enable Tab Groups from `brave://flags`.
2. Exit app.
3. Start app, it will crash.
## Actual result <!-- Please add screenshots if needed -->
App crashes.
## Expected result
No crash and no bottom toolbar when Tab Groups are enabled.
## Issue reproduces how often <!-- [Easily reproduced/Intermittent issue/No steps to reproduce] -->
Always
## Version/Channel Information:
<!--Does this issue happen on any other channels? Or is it specific to a certain channel?-->
- Can you reproduce this issue with the current Play Store version?
- Can you reproduce this issue with the current Play Store Beta version?
- Can you reproduce this issue with the current Play Store Nightly version?
## Device details
- Install type (ARM, x86): all
- Device type (Phone, Tablet, Phablet):
- Android version: all
## Brave version
1.19.x, 1.18.x, 1.17.x
### Website problems only
- Does the issue resolve itself when disabling Brave Shields?
- Does the issue resolve itself when disabling Brave Rewards?
- Is the issue reproducible on the latest version of Chrome?
### Additional information
<!-- Any additional information, related issues, extra QA steps, configuration or data that might be necessary to reproduce the issue -->
| 1.0 | [Android] App crashes when Tab Groups are enabled - <!-- Have you searched for similar issues? Before submitting this issue, please check the open issues and add a note before logging a new issue.
PLEASE USE THE TEMPLATE BELOW TO PROVIDE INFORMATION ABOUT THE ISSUE.
INSUFFICIENT INFO WILL GET THE ISSUE CLOSED. IT WILL ONLY BE REOPENED AFTER SUFFICIENT INFO IS PROVIDED-->
## Description <!-- Provide a brief description of the issue -->
App crashes when Tab Groups are enabled from `brave://flags`. Tab Groups don't work with bottom toolbar, so in this case we just need to disable it.
## Steps to reproduce <!-- Please add a series of steps to reproduce the issue -->
1. Enable Tab Groups from `brave://flags`.
2. Exit app.
3. Start app, it will crash.
## Actual result <!-- Please add screenshots if needed -->
App crashes.
## Expected result
No crash and no bottom toolbar when Tab Groups are enabled.
## Issue reproduces how often <!-- [Easily reproduced/Intermittent issue/No steps to reproduce] -->
Always
## Version/Channel Information:
<!--Does this issue happen on any other channels? Or is it specific to a certain channel?-->
- Can you reproduce this issue with the current Play Store version?
- Can you reproduce this issue with the current Play Store Beta version?
- Can you reproduce this issue with the current Play Store Nightly version?
## Device details
- Install type (ARM, x86): all
- Device type (Phone, Tablet, Phablet):
- Android version: all
## Brave version
1.19.x, 1.18.x, 1.17.x
### Website problems only
- Does the issue resolve itself when disabling Brave Shields?
- Does the issue resolve itself when disabling Brave Rewards?
- Is the issue reproducible on the latest version of Chrome?
### Additional information
<!-- Any additional information, related issues, extra QA steps, configuration or data that might be necessary to reproduce the issue -->
| non_design | app crashes when tab groups are enabled have you searched for similar issues before submitting this issue please check the open issues and add a note before logging a new issue please use the template below to provide information about the issue insufficient info will get the issue closed it will only be reopened after sufficient info is provided description app crashes when tab groups are enabled from brave flags tab groups don t work with bottom toolbar so in this case we just need to disable it steps to reproduce enable tab groups from brave flags exit app start app it will crash actual result app crashes expected result no crash and no bottom toolbar when tab groups are enabled issue reproduces how often always version channel information can you reproduce this issue with the current play store version can you reproduce this issue with the current play store beta version can you reproduce this issue with the current play store nightly version device details install type arm all device type phone tablet phablet android version all brave version x x x website problems only does the issue resolve itself when disabling brave shields does the issue resolve itself when disabling brave rewards is the issue reproducible on the latest version of chrome additional information | 0 |
54,832 | 6,850,529,012 | IssuesEvent | 2017-11-14 03:49:49 | quicwg/base-drafts | https://api.github.com/repos/quicwg/base-drafts | closed | Re-use of PSK | -tls design | S 8.3 says:
```
A source address token is opaque and consumed only by the server. Therefore it
can be included in the TLS 1.3 pre-shared key identifier for 0-RTT handshakes.
Servers that use 0-RTT are advised to provide new pre-shared key identifiers
after every handshake to avoid linkability of connections by passive observers.
Clients MUST use a new pre-shared key identifier for every connection that they
initiate; if no pre-shared key identifier is available, then resumption is not
possible.
```
This seem like an unnecessary requirement. Reusing the same PSK ID seems fine here. | 1.0 | Re-use of PSK - S 8.3 says:
```
A source address token is opaque and consumed only by the server. Therefore it
can be included in the TLS 1.3 pre-shared key identifier for 0-RTT handshakes.
Servers that use 0-RTT are advised to provide new pre-shared key identifiers
after every handshake to avoid linkability of connections by passive observers.
Clients MUST use a new pre-shared key identifier for every connection that they
initiate; if no pre-shared key identifier is available, then resumption is not
possible.
```
This seem like an unnecessary requirement. Reusing the same PSK ID seems fine here. | design | re use of psk s says a source address token is opaque and consumed only by the server therefore it can be included in the tls pre shared key identifier for rtt handshakes servers that use rtt are advised to provide new pre shared key identifiers after every handshake to avoid linkability of connections by passive observers clients must use a new pre shared key identifier for every connection that they initiate if no pre shared key identifier is available then resumption is not possible this seem like an unnecessary requirement reusing the same psk id seems fine here | 1 |
286,902 | 24,792,896,442 | IssuesEvent | 2022-10-24 14:58:45 | elastic/e2e-testing | https://api.github.com/repos/elastic/e2e-testing | closed | Flaky Test [Initializing / End-To-End Tests / fleet_ubuntu_22_04_amd64_system_integration / Adding core system/metrics Integration to a Policy – System Integration] | flaky-test ci-reported amd64 ubuntu22 | ## Flaky Test
* **Test Name:** `Initializing / End-To-End Tests / fleet_ubuntu_22_04_amd64_system_integration / Adding core system/metrics Integration to a Policy – System Integration`
* **Artifact Link:** https://fleet-ci.elastic.co/blue/organizations/jenkins/e2e-tests%2Fe2e-testing-mbp%2Fmain/detail/main/269/
* **PR:** None
* **Commit:** 806ca84d40857c4a7809b601f54c1fa4b37439fa
### Error details
```
Step "system/metrics" with "core" metrics are present in the datastreams
```
| 1.0 | Flaky Test [Initializing / End-To-End Tests / fleet_ubuntu_22_04_amd64_system_integration / Adding core system/metrics Integration to a Policy – System Integration] - ## Flaky Test
* **Test Name:** `Initializing / End-To-End Tests / fleet_ubuntu_22_04_amd64_system_integration / Adding core system/metrics Integration to a Policy – System Integration`
* **Artifact Link:** https://fleet-ci.elastic.co/blue/organizations/jenkins/e2e-tests%2Fe2e-testing-mbp%2Fmain/detail/main/269/
* **PR:** None
* **Commit:** 806ca84d40857c4a7809b601f54c1fa4b37439fa
### Error details
```
Step "system/metrics" with "core" metrics are present in the datastreams
```
| non_design | flaky test flaky test test name initializing end to end tests fleet ubuntu system integration adding core system metrics integration to a policy – system integration artifact link pr none commit error details step system metrics with core metrics are present in the datastreams | 0 |
542,195 | 15,856,816,962 | IssuesEvent | 2021-04-08 03:15:23 | GC-spigot/AdvancedEnchantments | https://api.github.com/repos/GC-spigot/AdvancedEnchantments | closed | Breaking chests with a tool that has Telepathy enchant destroys the contents when using use-experimental-block-breaking | Bug: Confirmed Priority: High Resolution: Accepted | <!--
Before reporting a bug, make sure you have the latest version of the plugin.
Advanced Plugins: https://advancedplugins.net/item/1
Spigot: https://www.spigotmc.org/resources/43058/
Songoda: https://songoda.com/marketplace/product/327
Do not write inside the arrows or it will be hidden!
1. Check whether it has already been requested or added.
You can search the issue tracker to see if what you want has already
been requested and/or added to the plugin.
2. Only put ONE bug per issue. This helps us keep track of things.
3. Fully fill out the template. Everything other then screenshots/ videos is absolutely required.
-->
## Details
**Describe the bug**
If you break a chest (with items inside it) with a tool that has Telepathy, the items inside will be destroyed if `use-experimental-block-breaking` is set to true.
**To Reproduce**
1.) Set `use-experimental-block-breaking` to true.
2.) Fill a chest with items
3.) Hold an axe (or other tool) and do /ae enchant telepathy 4
4.) Use the aforementioned tool to break the chest. You will get the chest, but the items inside will disappear
## Server Information
- "/ae plinfo" link: https://paste.md-5.net/vivugemupu
- Server log: https://gist.github.com/WhatsTheBadNews/ce5c366f0f6369d96687e8709e134e82
| 1.0 | Breaking chests with a tool that has Telepathy enchant destroys the contents when using use-experimental-block-breaking - <!--
Before reporting a bug, make sure you have the latest version of the plugin.
Advanced Plugins: https://advancedplugins.net/item/1
Spigot: https://www.spigotmc.org/resources/43058/
Songoda: https://songoda.com/marketplace/product/327
Do not write inside the arrows or it will be hidden!
1. Check whether it has already been requested or added.
You can search the issue tracker to see if what you want has already
been requested and/or added to the plugin.
2. Only put ONE bug per issue. This helps us keep track of things.
3. Fully fill out the template. Everything other then screenshots/ videos is absolutely required.
-->
## Details
**Describe the bug**
If you break a chest (with items inside it) with a tool that has Telepathy, the items inside will be destroyed if `use-experimental-block-breaking` is set to true.
**To Reproduce**
1.) Set `use-experimental-block-breaking` to true.
2.) Fill a chest with items
3.) Hold an axe (or other tool) and do /ae enchant telepathy 4
4.) Use the aforementioned tool to break the chest. You will get the chest, but the items inside will disappear
## Server Information
- "/ae plinfo" link: https://paste.md-5.net/vivugemupu
- Server log: https://gist.github.com/WhatsTheBadNews/ce5c366f0f6369d96687e8709e134e82
| non_design | breaking chests with a tool that has telepathy enchant destroys the contents when using use experimental block breaking before reporting a bug make sure you have the latest version of the plugin advanced plugins spigot songoda do not write inside the arrows or it will be hidden check whether it has already been requested or added you can search the issue tracker to see if what you want has already been requested and or added to the plugin only put one bug per issue this helps us keep track of things fully fill out the template everything other then screenshots videos is absolutely required details describe the bug if you break a chest with items inside it with a tool that has telepathy the items inside will be destroyed if use experimental block breaking is set to true to reproduce set use experimental block breaking to true fill a chest with items hold an axe or other tool and do ae enchant telepathy use the aforementioned tool to break the chest you will get the chest but the items inside will disappear server information ae plinfo link server log | 0 |
260,607 | 27,784,647,901 | IssuesEvent | 2023-03-17 01:25:21 | rvvergara/haiku-android | https://api.github.com/repos/rvvergara/haiku-android | opened | CVE-2023-28155 (Medium) detected in request-2.88.0.tgz | Mend: dependency security vulnerability | ## CVE-2023-28155 - Medium Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>request-2.88.0.tgz</b></p></summary>
<p>Simplified HTTP request client.</p>
<p>Library home page: <a href="https://registry.npmjs.org/request/-/request-2.88.0.tgz">https://registry.npmjs.org/request/-/request-2.88.0.tgz</a></p>
<p>Path to dependency file: /package.json</p>
<p>Path to vulnerable library: /node_modules/request/package.json</p>
<p>
Dependency Hierarchy:
- react-devtools-3.6.3.tgz (Root Library)
- electron-1.8.8.tgz
- electron-download-3.3.0.tgz
- nugget-2.0.1.tgz
- :x: **request-2.88.0.tgz** (Vulnerable Library)
<p>Found in HEAD commit: <a href="https://github.com/rvvergara/haiku-android/commit/adcacc45a37c34a5a35c15a6a36419ec40d709eb">adcacc45a37c34a5a35c15a6a36419ec40d709eb</a></p>
<p>Found in base branch: <b>master</b></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> Vulnerability Details</summary>
<p>
** UNSUPPORTED WHEN ASSIGNED ** The Request package through 2.88.1 for Node.js allows a bypass of SSRF mitigations via an attacker-controller server that does a cross-protocol redirect (HTTP to HTTPS, or HTTPS to HTTP). NOTE: This vulnerability only affects products that are no longer supported by the maintainer.
<p>Publish Date: 2023-03-16
<p>URL: <a href=https://www.mend.io/vulnerability-database/CVE-2023-28155>CVE-2023-28155</a></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>5.5</b>)</summary>
<p>
Base Score Metrics:
- Exploitability Metrics:
- Attack Vector: Local
- Attack Complexity: Low
- Privileges Required: None
- User Interaction: Required
- Scope: Unchanged
- Impact Metrics:
- Confidentiality Impact: None
- Integrity Impact: None
- Availability Impact: High
</p>
For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>.
</p>
</details>
<p></p>
***
Step up your Open Source Security Game with Mend [here](https://www.whitesourcesoftware.com/full_solution_bolt_github) | True | CVE-2023-28155 (Medium) detected in request-2.88.0.tgz - ## CVE-2023-28155 - Medium Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>request-2.88.0.tgz</b></p></summary>
<p>Simplified HTTP request client.</p>
<p>Library home page: <a href="https://registry.npmjs.org/request/-/request-2.88.0.tgz">https://registry.npmjs.org/request/-/request-2.88.0.tgz</a></p>
<p>Path to dependency file: /package.json</p>
<p>Path to vulnerable library: /node_modules/request/package.json</p>
<p>
Dependency Hierarchy:
- react-devtools-3.6.3.tgz (Root Library)
- electron-1.8.8.tgz
- electron-download-3.3.0.tgz
- nugget-2.0.1.tgz
- :x: **request-2.88.0.tgz** (Vulnerable Library)
<p>Found in HEAD commit: <a href="https://github.com/rvvergara/haiku-android/commit/adcacc45a37c34a5a35c15a6a36419ec40d709eb">adcacc45a37c34a5a35c15a6a36419ec40d709eb</a></p>
<p>Found in base branch: <b>master</b></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> Vulnerability Details</summary>
<p>
** UNSUPPORTED WHEN ASSIGNED ** The Request package through 2.88.1 for Node.js allows a bypass of SSRF mitigations via an attacker-controller server that does a cross-protocol redirect (HTTP to HTTPS, or HTTPS to HTTP). NOTE: This vulnerability only affects products that are no longer supported by the maintainer.
<p>Publish Date: 2023-03-16
<p>URL: <a href=https://www.mend.io/vulnerability-database/CVE-2023-28155>CVE-2023-28155</a></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>5.5</b>)</summary>
<p>
Base Score Metrics:
- Exploitability Metrics:
- Attack Vector: Local
- Attack Complexity: Low
- Privileges Required: None
- User Interaction: Required
- Scope: Unchanged
- Impact Metrics:
- Confidentiality Impact: None
- Integrity Impact: None
- Availability Impact: High
</p>
For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>.
</p>
</details>
<p></p>
***
Step up your Open Source Security Game with Mend [here](https://www.whitesourcesoftware.com/full_solution_bolt_github) | non_design | cve medium detected in request tgz cve medium severity vulnerability vulnerable library request tgz simplified http request client library home page a href path to dependency file package json path to vulnerable library node modules request package json dependency hierarchy react devtools tgz root library electron tgz electron download tgz nugget tgz x request tgz vulnerable library found in head commit a href found in base branch master vulnerability details unsupported when assigned the request package through for node js allows a bypass of ssrf mitigations via an attacker controller server that does a cross protocol redirect http to https or https to http note this vulnerability only affects products that are no longer supported by the maintainer publish date url a href cvss score details base score metrics exploitability metrics attack vector local attack complexity low privileges required none user interaction required scope unchanged impact metrics confidentiality impact none integrity impact none availability impact high for more information on scores click a href step up your open source security game with mend | 0 |
157,522 | 24,683,080,313 | IssuesEvent | 2022-10-18 23:54:03 | codeforboston/urban-league-heat-pump-accelerator | https://api.github.com/repos/codeforboston/urban-league-heat-pump-accelerator | closed | Footer needs to be at the bottom of the pages | Role: App Design and Development Size: 1pt | ### Overview
In the Public view pages the footer in the about and contact pages is not place at the bottom of the screen because the about and contact pages height is short so the footer is higher than what it should be. This issue needs to be fixed
Action:
Make it so that the footer sticks to the bottom of the pages if the content of the page height is too short. If the content of the page is longer than the screens height, the footer should always be right at the end of the page content.
### Resources/Instructions
https://mui.com/material-ui/getting-started/overview/
| 1.0 | Footer needs to be at the bottom of the pages - ### Overview
In the Public view pages the footer in the about and contact pages is not place at the bottom of the screen because the about and contact pages height is short so the footer is higher than what it should be. This issue needs to be fixed
Action:
Make it so that the footer sticks to the bottom of the pages if the content of the page height is too short. If the content of the page is longer than the screens height, the footer should always be right at the end of the page content.
### Resources/Instructions
https://mui.com/material-ui/getting-started/overview/
| design | footer needs to be at the bottom of the pages overview in the public view pages the footer in the about and contact pages is not place at the bottom of the screen because the about and contact pages height is short so the footer is higher than what it should be this issue needs to be fixed action make it so that the footer sticks to the bottom of the pages if the content of the page height is too short if the content of the page is longer than the screens height the footer should always be right at the end of the page content resources instructions | 1 |
149,790 | 23,532,063,810 | IssuesEvent | 2022-08-19 16:18:20 | dotnet/winforms | https://api.github.com/repos/dotnet/winforms | closed | Designer crashes when running Visual Studio 17.3.0 as a DpiUnaware process where the project is set to SystemAware. | area: VS designer | ### Environment
Microsoft Visual Studio Enterprise 2022 (64-bit) - Current
Version 17.3.1
(The problem also exists in 17.3.0.)
### .NET version
.NET 6.0
### Did this work in a previous version of Visual Studio and/or previous .NET release?
Yes, worked in 17.0.x, 17.1.x and 17.2.x.
Problem started with 17.3.0.
### Issue description
I am using VS2022 for developing a Windows Forms app. Since my development computer has three screens, one at 200% Scale, one at 150% Scale and one at 100% Scale, I need to run VS in DpiUnaware mode; otherwise the Windows Forms Editor messes up.
To do this, I use a registry setting:
`[HKEY_CURRENT_USER\Software\Microsoft\Windows NT\CurrentVersion\AppCompatFlags\Layers]
`
`"C:\\Program Files\\Microsoft Visual Studio\\2022\\Enterprise\\Common7\\IDE\\devenv.exe"="DPIUNAWARE"
`
In accordance to: [Disable DPI-awareness for scaling in forms - Visual Studio (Windows) | Microsoft Docs](https://docs.microsoft.com/en-us/visualstudio/designers/disable-dpi-awareness?view=vs-2022)
If I start VS 17.3 with that registry setting, open my project (set to use the SystemAware DPI mode) and open a Form in the Windows Form Designer, the designer crashes:
`[08:26:33.460454] warn: DPI mode SystemAware specified in the project is not compatible with Visual Studio process DPI mode DpiUnaware. Winforms designer will have DPI mode DpiUnaware`
`[08:26:33.535452] warn: DPI mode SystemAware specified in the project is not compatible with Visual Studio process DPI mode DpiUnaware. Winforms designer will have DPI mode DpiUnaware`
`[08:26:52.525974] fail: Exception occurred while disposing VSDesignSurface`
` System.InvalidOperationException: The service 'Microsoft.VisualStudio.Shell.Design.Serialization.DesignerDocDataService' must be installed for this feature to work. Ensure that this service is available.`
` at System.ServiceExtensions.GetRequiredService[TService,TInterface](IServiceProvider provider)`
` at Microsoft.DotNet.DesignTools.Client.CodeDom.CodeDomSource..ctor(IDesignerHost designerHost)`
` at Microsoft.DotNet.DesignTools.Client.Loader.VsDesignerLoader.<get_CodeDomSource>g__Create|37_0()`
` at Microsoft.DotNet.DesignTools.Client.Loader.VsDesignerLoader.get_CodeDomSource()`
` at Microsoft.DotNet.DesignTools.Client.Loader.VsDesignerLoader.get_CodeDomManager()`
` at Microsoft.DotNet.DesignTools.Client.Loader.VsDesignerLoader.OnBeginUnload()`
` at System.ComponentModel.Design.Serialization.BasicDesignerLoader.UnloadDocument()`
` at System.ComponentModel.Design.Serialization.BasicDesignerLoader.Dispose()`
` at Microsoft.DotNet.DesignTools.Client.Loader.VsDesignerLoader.Dispose()`
` at System.ComponentModel.Design.DesignerHost.DisposeHost()`
` at System.ComponentModel.Design.DesignSurface.Dispose(Boolean disposing)`
` at Microsoft.VisualStudio.WinForms.VSDesignSurface.Dispose(Boolean disposing)`
` For information on how to troubleshoot the designer refer to the guide at https://aka.ms/winforms/designer/troubleshooting.`
I had to remove the registry setting.
### Steps to reproduce
1. Create the registry setting:
`[HKEY_CURRENT_USER\Software\Microsoft\Windows NT\CurrentVersion\AppCompatFlags\Layers]`
`"C:\\Program Files\\Microsoft Visual Studio\\2022\\Enterprise\\Common7\\IDE\\devenv.exe"="DPIUNAWARE"`
2. Create a new Windows Forms project
3. Set the **ApplicationHighDpiMode** to **SystemAware**:
`<ApplicationHighDpiMode>SystemAware</ApplicationHighDpiMode>`
4. Open the Form in the Windows Forms Designer.
### Diagnostics
```text
`[08:26:33.460454] warn: DPI mode SystemAware specified in the project is not compatible with Visual Studio process DPI mode DpiUnaware. Winforms designer will have DPI mode DpiUnaware
[08:26:33.535452] warn: DPI mode SystemAware specified in the project is not compatible with Visual Studio process DPI mode DpiUnaware. Winforms designer will have DPI mode DpiUnaware
[08:26:52.525974] fail: Exception occurred while disposing VSDesignSurface
System.InvalidOperationException: The service 'Microsoft.VisualStudio.Shell.Design.Serialization.DesignerDocDataService' must be installed for this feature to work. Ensure that this service is available.
at System.ServiceExtensions.GetRequiredService[TService,TInterface](IServiceProvider provider)
at Microsoft.DotNet.DesignTools.Client.CodeDom.CodeDomSource..ctor(IDesignerHost designerHost)
at Microsoft.DotNet.DesignTools.Client.Loader.VsDesignerLoader.<get_CodeDomSource>g__Create|37_0()
at Microsoft.DotNet.DesignTools.Client.Loader.VsDesignerLoader.get_CodeDomSource()
at Microsoft.DotNet.DesignTools.Client.Loader.VsDesignerLoader.get_CodeDomManager()
at Microsoft.DotNet.DesignTools.Client.Loader.VsDesignerLoader.OnBeginUnload()
at System.ComponentModel.Design.Serialization.BasicDesignerLoader.UnloadDocument()
at System.ComponentModel.Design.Serialization.BasicDesignerLoader.Dispose()
at Microsoft.DotNet.DesignTools.Client.Loader.VsDesignerLoader.Dispose()
at System.ComponentModel.Design.DesignerHost.DisposeHost()
at System.ComponentModel.Design.DesignSurface.Dispose(Boolean disposing)
at Microsoft.VisualStudio.WinForms.VSDesignSurface.Dispose(Boolean disposing)
For information on how to troubleshoot the designer refer to the guide at https://aka.ms/winforms/designer/troubleshooting.
`
```
| 1.0 | Designer crashes when running Visual Studio 17.3.0 as a DpiUnaware process where the project is set to SystemAware. - ### Environment
Microsoft Visual Studio Enterprise 2022 (64-bit) - Current
Version 17.3.1
(The problem also exists in 17.3.0.)
### .NET version
.NET 6.0
### Did this work in a previous version of Visual Studio and/or previous .NET release?
Yes, worked in 17.0.x, 17.1.x and 17.2.x.
Problem started with 17.3.0.
### Issue description
I am using VS2022 for developing a Windows Forms app. Since my development computer has three screens, one at 200% Scale, one at 150% Scale and one at 100% Scale, I need to run VS in DpiUnaware mode; otherwise the Windows Forms Editor messes up.
To do this, I use a registry setting:
`[HKEY_CURRENT_USER\Software\Microsoft\Windows NT\CurrentVersion\AppCompatFlags\Layers]
`
`"C:\\Program Files\\Microsoft Visual Studio\\2022\\Enterprise\\Common7\\IDE\\devenv.exe"="DPIUNAWARE"
`
In accordance to: [Disable DPI-awareness for scaling in forms - Visual Studio (Windows) | Microsoft Docs](https://docs.microsoft.com/en-us/visualstudio/designers/disable-dpi-awareness?view=vs-2022)
If I start VS 17.3 with that registry setting, open my project (set to use the SystemAware DPI mode) and open a Form in the Windows Form Designer, the designer crashes:
`[08:26:33.460454] warn: DPI mode SystemAware specified in the project is not compatible with Visual Studio process DPI mode DpiUnaware. Winforms designer will have DPI mode DpiUnaware`
`[08:26:33.535452] warn: DPI mode SystemAware specified in the project is not compatible with Visual Studio process DPI mode DpiUnaware. Winforms designer will have DPI mode DpiUnaware`
`[08:26:52.525974] fail: Exception occurred while disposing VSDesignSurface`
` System.InvalidOperationException: The service 'Microsoft.VisualStudio.Shell.Design.Serialization.DesignerDocDataService' must be installed for this feature to work. Ensure that this service is available.`
` at System.ServiceExtensions.GetRequiredService[TService,TInterface](IServiceProvider provider)`
` at Microsoft.DotNet.DesignTools.Client.CodeDom.CodeDomSource..ctor(IDesignerHost designerHost)`
` at Microsoft.DotNet.DesignTools.Client.Loader.VsDesignerLoader.<get_CodeDomSource>g__Create|37_0()`
` at Microsoft.DotNet.DesignTools.Client.Loader.VsDesignerLoader.get_CodeDomSource()`
` at Microsoft.DotNet.DesignTools.Client.Loader.VsDesignerLoader.get_CodeDomManager()`
` at Microsoft.DotNet.DesignTools.Client.Loader.VsDesignerLoader.OnBeginUnload()`
` at System.ComponentModel.Design.Serialization.BasicDesignerLoader.UnloadDocument()`
` at System.ComponentModel.Design.Serialization.BasicDesignerLoader.Dispose()`
` at Microsoft.DotNet.DesignTools.Client.Loader.VsDesignerLoader.Dispose()`
` at System.ComponentModel.Design.DesignerHost.DisposeHost()`
` at System.ComponentModel.Design.DesignSurface.Dispose(Boolean disposing)`
` at Microsoft.VisualStudio.WinForms.VSDesignSurface.Dispose(Boolean disposing)`
` For information on how to troubleshoot the designer refer to the guide at https://aka.ms/winforms/designer/troubleshooting.`
I had to remove the registry setting.
### Steps to reproduce
1. Create the registry setting:
`[HKEY_CURRENT_USER\Software\Microsoft\Windows NT\CurrentVersion\AppCompatFlags\Layers]`
`"C:\\Program Files\\Microsoft Visual Studio\\2022\\Enterprise\\Common7\\IDE\\devenv.exe"="DPIUNAWARE"`
2. Create a new Windows Forms project
3. Set the **ApplicationHighDpiMode** to **SystemAware**:
`<ApplicationHighDpiMode>SystemAware</ApplicationHighDpiMode>`
4. Open the Form in the Windows Forms Designer.
### Diagnostics
```text
`[08:26:33.460454] warn: DPI mode SystemAware specified in the project is not compatible with Visual Studio process DPI mode DpiUnaware. Winforms designer will have DPI mode DpiUnaware
[08:26:33.535452] warn: DPI mode SystemAware specified in the project is not compatible with Visual Studio process DPI mode DpiUnaware. Winforms designer will have DPI mode DpiUnaware
[08:26:52.525974] fail: Exception occurred while disposing VSDesignSurface
System.InvalidOperationException: The service 'Microsoft.VisualStudio.Shell.Design.Serialization.DesignerDocDataService' must be installed for this feature to work. Ensure that this service is available.
at System.ServiceExtensions.GetRequiredService[TService,TInterface](IServiceProvider provider)
at Microsoft.DotNet.DesignTools.Client.CodeDom.CodeDomSource..ctor(IDesignerHost designerHost)
at Microsoft.DotNet.DesignTools.Client.Loader.VsDesignerLoader.<get_CodeDomSource>g__Create|37_0()
at Microsoft.DotNet.DesignTools.Client.Loader.VsDesignerLoader.get_CodeDomSource()
at Microsoft.DotNet.DesignTools.Client.Loader.VsDesignerLoader.get_CodeDomManager()
at Microsoft.DotNet.DesignTools.Client.Loader.VsDesignerLoader.OnBeginUnload()
at System.ComponentModel.Design.Serialization.BasicDesignerLoader.UnloadDocument()
at System.ComponentModel.Design.Serialization.BasicDesignerLoader.Dispose()
at Microsoft.DotNet.DesignTools.Client.Loader.VsDesignerLoader.Dispose()
at System.ComponentModel.Design.DesignerHost.DisposeHost()
at System.ComponentModel.Design.DesignSurface.Dispose(Boolean disposing)
at Microsoft.VisualStudio.WinForms.VSDesignSurface.Dispose(Boolean disposing)
For information on how to troubleshoot the designer refer to the guide at https://aka.ms/winforms/designer/troubleshooting.
`
```
| design | designer crashes when running visual studio as a dpiunaware process where the project is set to systemaware environment microsoft visual studio enterprise bit current version the problem also exists in net version net did this work in a previous version of visual studio and or previous net release yes worked in x x and x problem started with issue description i am using for developing a windows forms app since my development computer has three screens one at scale one at scale and one at scale i need to run vs in dpiunaware mode otherwise the windows forms editor messes up to do this i use a registry setting c program files microsoft visual studio enterprise ide devenv exe dpiunaware in accordance to if i start vs with that registry setting open my project set to use the systemaware dpi mode and open a form in the windows form designer the designer crashes warn dpi mode systemaware specified in the project is not compatible with visual studio process dpi mode dpiunaware winforms designer will have dpi mode dpiunaware warn dpi mode systemaware specified in the project is not compatible with visual studio process dpi mode dpiunaware winforms designer will have dpi mode dpiunaware fail exception occurred while disposing vsdesignsurface system invalidoperationexception the service microsoft visualstudio shell design serialization designerdocdataservice must be installed for this feature to work ensure that this service is available at system serviceextensions getrequiredservice iserviceprovider provider at microsoft dotnet designtools client codedom codedomsource ctor idesignerhost designerhost at microsoft dotnet designtools client loader vsdesignerloader g create at microsoft dotnet designtools client loader vsdesignerloader get codedomsource at microsoft dotnet designtools client loader vsdesignerloader get codedommanager at microsoft dotnet designtools client loader vsdesignerloader onbeginunload at system componentmodel design serialization basicdesignerloader unloaddocument at system componentmodel design serialization basicdesignerloader dispose at microsoft dotnet designtools client loader vsdesignerloader dispose at system componentmodel design designerhost disposehost at system componentmodel design designsurface dispose boolean disposing at microsoft visualstudio winforms vsdesignsurface dispose boolean disposing for information on how to troubleshoot the designer refer to the guide at i had to remove the registry setting steps to reproduce create the registry setting c program files microsoft visual studio enterprise ide devenv exe dpiunaware create a new windows forms project set the applicationhighdpimode to systemaware systemaware open the form in the windows forms designer diagnostics text warn dpi mode systemaware specified in the project is not compatible with visual studio process dpi mode dpiunaware winforms designer will have dpi mode dpiunaware warn dpi mode systemaware specified in the project is not compatible with visual studio process dpi mode dpiunaware winforms designer will have dpi mode dpiunaware fail exception occurred while disposing vsdesignsurface system invalidoperationexception the service microsoft visualstudio shell design serialization designerdocdataservice must be installed for this feature to work ensure that this service is available at system serviceextensions getrequiredservice iserviceprovider provider at microsoft dotnet designtools client codedom codedomsource ctor idesignerhost designerhost at microsoft dotnet designtools client loader vsdesignerloader g create at microsoft dotnet designtools client loader vsdesignerloader get codedomsource at microsoft dotnet designtools client loader vsdesignerloader get codedommanager at microsoft dotnet designtools client loader vsdesignerloader onbeginunload at system componentmodel design serialization basicdesignerloader unloaddocument at system componentmodel design serialization basicdesignerloader dispose at microsoft dotnet designtools client loader vsdesignerloader dispose at system componentmodel design designerhost disposehost at system componentmodel design designsurface dispose boolean disposing at microsoft visualstudio winforms vsdesignsurface dispose boolean disposing for information on how to troubleshoot the designer refer to the guide at | 1 |
108,935 | 13,689,402,771 | IssuesEvent | 2020-09-30 13:07:46 | getsentry/sentry | https://api.github.com/repos/getsentry/sentry | closed | Add Configurable Date Format | Design Review Type: Design | The request has been brought up that the date format should be configurable and also show the timezone to clarify confusion between distributed teams, especially upon forwarding mail.
| 2.0 | Add Configurable Date Format - The request has been brought up that the date format should be configurable and also show the timezone to clarify confusion between distributed teams, especially upon forwarding mail.
| design | add configurable date format the request has been brought up that the date format should be configurable and also show the timezone to clarify confusion between distributed teams especially upon forwarding mail | 1 |
73,255 | 8,850,766,548 | IssuesEvent | 2019-01-08 14:09:47 | mprof2018/locadora-cin | https://api.github.com/repos/mprof2018/locadora-cin | opened | Template para relatórios de filmes e clientes | Complexidade: 2 Design Prioridade: 2 | Criar template que irá servir como base para relatório de filmes e cliente, deve haver paginação e busca | 1.0 | Template para relatórios de filmes e clientes - Criar template que irá servir como base para relatório de filmes e cliente, deve haver paginação e busca | design | template para relatórios de filmes e clientes criar template que irá servir como base para relatório de filmes e cliente deve haver paginação e busca | 1 |
147,804 | 23,275,710,360 | IssuesEvent | 2022-08-05 06:56:45 | appsmithorg/appsmith | https://api.github.com/repos/appsmithorg/appsmith | closed | [Bug]-[70]:Required selection for RadioGroup widget does not show the red rectangle required indicator | Bug Needs Design App Viewers Pod Low Radio Group Widget | ### Is there an existing issue for this?
- [X] I have searched the existing issues
### Description
In the Radio Group Widget, in the Property Pane, on removing the Default value and setting the Required property to Enabled, the red rectangle to show the required indicator does not appear.
### Steps To Reproduce
1. In the production environment (app.appsmith.com), drag and drop a Radio Group widget
2. Remove the Y from Default property and make it empty.
3. Make the Required switch enabled.
Note that there is no required indicator that appears. This indicator appears correctly on other widgets, for e.g. checkbox group or checkbox.
Also, the functionality of the Required property is working. This is checked by dropping the above Radio Group widget onto a Form widget. We see that the Submit button gets disabled if there is no option is selected in the Radio group widget. Only the indicator is missing.
<img width="1101" alt="RadioGrp_RequiredIndicator" src="https://user-images.githubusercontent.com/101863839/167112246-025e09ba-8b6e-44c1-8c72-576753086398.png">
### Public Sample App
_No response_
### Version
Production | 1.0 | [Bug]-[70]:Required selection for RadioGroup widget does not show the red rectangle required indicator - ### Is there an existing issue for this?
- [X] I have searched the existing issues
### Description
In the Radio Group Widget, in the Property Pane, on removing the Default value and setting the Required property to Enabled, the red rectangle to show the required indicator does not appear.
### Steps To Reproduce
1. In the production environment (app.appsmith.com), drag and drop a Radio Group widget
2. Remove the Y from Default property and make it empty.
3. Make the Required switch enabled.
Note that there is no required indicator that appears. This indicator appears correctly on other widgets, for e.g. checkbox group or checkbox.
Also, the functionality of the Required property is working. This is checked by dropping the above Radio Group widget onto a Form widget. We see that the Submit button gets disabled if there is no option is selected in the Radio group widget. Only the indicator is missing.
<img width="1101" alt="RadioGrp_RequiredIndicator" src="https://user-images.githubusercontent.com/101863839/167112246-025e09ba-8b6e-44c1-8c72-576753086398.png">
### Public Sample App
_No response_
### Version
Production | design | required selection for radiogroup widget does not show the red rectangle required indicator is there an existing issue for this i have searched the existing issues description in the radio group widget in the property pane on removing the default value and setting the required property to enabled the red rectangle to show the required indicator does not appear steps to reproduce in the production environment app appsmith com drag and drop a radio group widget remove the y from default property and make it empty make the required switch enabled note that there is no required indicator that appears this indicator appears correctly on other widgets for e g checkbox group or checkbox also the functionality of the required property is working this is checked by dropping the above radio group widget onto a form widget we see that the submit button gets disabled if there is no option is selected in the radio group widget only the indicator is missing img width alt radiogrp requiredindicator src public sample app no response version production | 1 |
274,751 | 23,862,956,275 | IssuesEvent | 2022-09-07 08:39:57 | rust-lang/rust | https://api.github.com/repos/rust-lang/rust | closed | `slice::get_mut()` followed by `slice::copy_from_slice` generates unreachable panic branch | A-LLVM I-slow E-needs-test T-compiler regression-from-stable-to-stable C-bug | In code like the following, the compiler misses a possible optimization: in `f1`, the length of `dst` is equal to the length of `bytes`, yet the compiler generates a call to `len_mismatch_fail`.
```rust
pub fn f1(a: &mut [u8], offset: usize, bytes: &[u8]) {
if let Some(dst) = a.get_mut(offset..offset + bytes.len()) {
dst.copy_from_slice(bytes);
}
}
```
The compiler knows the lengths are equal (and thus, the panic is unreachable), because the following snippet optimizes the panic away:
```rust
pub fn f2(a: &mut [u8], offset: usize, bytes: &[u8]) {
if let Some(dst) = a.get_mut(offset..offset + bytes.len()) {
assert!(dst.len() == bytes.len());
dst.copy_from_slice(bytes);
}
}
```
This is a regression between rustc versions 1.51 and 1.52.
https://rust.godbolt.org/z/YhEY78E9P | 1.0 | `slice::get_mut()` followed by `slice::copy_from_slice` generates unreachable panic branch - In code like the following, the compiler misses a possible optimization: in `f1`, the length of `dst` is equal to the length of `bytes`, yet the compiler generates a call to `len_mismatch_fail`.
```rust
pub fn f1(a: &mut [u8], offset: usize, bytes: &[u8]) {
if let Some(dst) = a.get_mut(offset..offset + bytes.len()) {
dst.copy_from_slice(bytes);
}
}
```
The compiler knows the lengths are equal (and thus, the panic is unreachable), because the following snippet optimizes the panic away:
```rust
pub fn f2(a: &mut [u8], offset: usize, bytes: &[u8]) {
if let Some(dst) = a.get_mut(offset..offset + bytes.len()) {
assert!(dst.len() == bytes.len());
dst.copy_from_slice(bytes);
}
}
```
This is a regression between rustc versions 1.51 and 1.52.
https://rust.godbolt.org/z/YhEY78E9P | non_design | slice get mut followed by slice copy from slice generates unreachable panic branch in code like the following the compiler misses a possible optimization in the length of dst is equal to the length of bytes yet the compiler generates a call to len mismatch fail rust pub fn a mut offset usize bytes if let some dst a get mut offset offset bytes len dst copy from slice bytes the compiler knows the lengths are equal and thus the panic is unreachable because the following snippet optimizes the panic away rust pub fn a mut offset usize bytes if let some dst a get mut offset offset bytes len assert dst len bytes len dst copy from slice bytes this is a regression between rustc versions and | 0 |
114,101 | 14,530,556,430 | IssuesEvent | 2020-12-14 19:26:29 | qorelanguage/qore | https://api.github.com/repos/qorelanguage/qore | closed | HTTP handlers have no way of knowing that they are being removed | bug design fixed not-c++ | leading to the situation that a protocol handler left open by a client cannot be shut down by the HTTP server | 1.0 | HTTP handlers have no way of knowing that they are being removed - leading to the situation that a protocol handler left open by a client cannot be shut down by the HTTP server | design | http handlers have no way of knowing that they are being removed leading to the situation that a protocol handler left open by a client cannot be shut down by the http server | 1 |
159,163 | 24,950,113,818 | IssuesEvent | 2022-11-01 06:10:21 | Ingressive-for-Good/I4G-OPENSOURCE-FRONTEND-PROJECT-2022 | https://api.github.com/repos/Ingressive-for-Good/I4G-OPENSOURCE-FRONTEND-PROJECT-2022 | closed | Admin Design - Improved UI on the Profile Screens | documentation enhancement hacktoberfest-accepted hacktoberfest design | - Improve the user interface of the profile screens based on the feedback received during the general review meeting.
- Corrections should be made on all screens (desktop, tablet and mobile views must be corrected).
- Ensure you use the colors, typography and icons on the style guide to ensure consistency. | 1.0 | Admin Design - Improved UI on the Profile Screens - - Improve the user interface of the profile screens based on the feedback received during the general review meeting.
- Corrections should be made on all screens (desktop, tablet and mobile views must be corrected).
- Ensure you use the colors, typography and icons on the style guide to ensure consistency. | design | admin design improved ui on the profile screens improve the user interface of the profile screens based on the feedback received during the general review meeting corrections should be made on all screens desktop tablet and mobile views must be corrected ensure you use the colors typography and icons on the style guide to ensure consistency | 1 |
144,895 | 22,584,925,536 | IssuesEvent | 2022-06-28 14:32:46 | Quansight/Quansight-website | https://api.github.com/repos/Quansight/Quansight-website | closed | [FEAT] Remove library type link if there are no library items of that type | type: enhancement 💅🏼 area: design 🎨 LLC 🤝 area: react area: launch 🚀 needs: discussion 💬 | The [library page](https://quansight-consulting.vercel.app/library) has a bar of links that filter the library items by type (tutorials, videos, webinars, blog), as shown in the following screenshot:
<img width="979" alt="" src="https://user-images.githubusercontent.com/317883/173085676-cad0c5d3-6c98-438c-a8a0-dfb860abf38b.png">
If there are no items of, say, type webinar, then the webinar link should not show. | 1.0 | [FEAT] Remove library type link if there are no library items of that type - The [library page](https://quansight-consulting.vercel.app/library) has a bar of links that filter the library items by type (tutorials, videos, webinars, blog), as shown in the following screenshot:
<img width="979" alt="" src="https://user-images.githubusercontent.com/317883/173085676-cad0c5d3-6c98-438c-a8a0-dfb860abf38b.png">
If there are no items of, say, type webinar, then the webinar link should not show. | design | remove library type link if there are no library items of that type the has a bar of links that filter the library items by type tutorials videos webinars blog as shown in the following screenshot img width alt src if there are no items of say type webinar then the webinar link should not show | 1 |
179,916 | 30,322,687,362 | IssuesEvent | 2023-07-10 20:34:01 | asyncapi/studio | https://api.github.com/repos/asyncapi/studio | closed | ToolingUI: Design System v0.1.0 | 🎨 design | # Introduction
We would like to create a system of components that can be used for the UI in [AsyncAPI Studio](https://studio.asyncapi.com/) as well as any other future UI tools that get added into the AsyncAPI org.
There should be a range of components from a tiny scale to a large scale. The visual design of the components does not need to match any specific branding, but needs to be accessible and usable. It would be best to have a neutral color palette with one accent color.
# Task List
- [x] asyncapi/design-system#40
- [ ] **Step 2:** Ideate - Make improvements to current components & design new components
- [ ] **Step 3:** Develop - Write React components in a development environment
- [ ] **Step 4:** Test - Test components in development environment for usability
- [ ] **Step 5:** Iterate - Repeat the above steps until we are ready to release version 1
- [ ] **Step 6:** Document - Write component usage docs for both design & dev contributors | 1.0 | ToolingUI: Design System v0.1.0 - # Introduction
We would like to create a system of components that can be used for the UI in [AsyncAPI Studio](https://studio.asyncapi.com/) as well as any other future UI tools that get added into the AsyncAPI org.
There should be a range of components from a tiny scale to a large scale. The visual design of the components does not need to match any specific branding, but needs to be accessible and usable. It would be best to have a neutral color palette with one accent color.
# Task List
- [x] asyncapi/design-system#40
- [ ] **Step 2:** Ideate - Make improvements to current components & design new components
- [ ] **Step 3:** Develop - Write React components in a development environment
- [ ] **Step 4:** Test - Test components in development environment for usability
- [ ] **Step 5:** Iterate - Repeat the above steps until we are ready to release version 1
- [ ] **Step 6:** Document - Write component usage docs for both design & dev contributors | design | toolingui design system introduction we would like to create a system of components that can be used for the ui in as well as any other future ui tools that get added into the asyncapi org there should be a range of components from a tiny scale to a large scale the visual design of the components does not need to match any specific branding but needs to be accessible and usable it would be best to have a neutral color palette with one accent color task list asyncapi design system step ideate make improvements to current components design new components step develop write react components in a development environment step test test components in development environment for usability step iterate repeat the above steps until we are ready to release version step document write component usage docs for both design dev contributors | 1 |
106,297 | 13,260,425,350 | IssuesEvent | 2020-08-20 18:10:21 | phetsims/natural-selection | https://api.github.com/repos/phetsims/natural-selection | opened | initial y-axis range for Population graph | design:general | The initial y-axis range for Population graph is [0,70]. Is that the best initial range fo the HTML5 version? (The initial range in the Java version was [0,50].)
For example... If I start by checking "Limited Food" and press "Add a Mate", all of the data points after generation 4 are > y=70, so "Zoom out to see data" is displayed. In that case, [0,350] is the best range. | 1.0 | initial y-axis range for Population graph - The initial y-axis range for Population graph is [0,70]. Is that the best initial range fo the HTML5 version? (The initial range in the Java version was [0,50].)
For example... If I start by checking "Limited Food" and press "Add a Mate", all of the data points after generation 4 are > y=70, so "Zoom out to see data" is displayed. In that case, [0,350] is the best range. | design | initial y axis range for population graph the initial y axis range for population graph is is that the best initial range fo the version the initial range in the java version was for example if i start by checking limited food and press add a mate all of the data points after generation are y so zoom out to see data is displayed in that case is the best range | 1 |
244,346 | 18,755,207,754 | IssuesEvent | 2021-11-05 09:51:10 | anatoliansoftwarecommunity/welcome | https://api.github.com/repos/anatoliansoftwarecommunity/welcome | opened | Create community label documents | type: documentation priority: medium status: confirmed | As talked in #5 community labels and their will be documented in welcome repository. | 1.0 | Create community label documents - As talked in #5 community labels and their will be documented in welcome repository. | non_design | create community label documents as talked in community labels and their will be documented in welcome repository | 0 |
399,866 | 11,762,083,543 | IssuesEvent | 2020-03-13 23:51:22 | Thorium-Sim/thorium | https://api.github.com/repos/Thorium-Sim/thorium | closed | Trigger for Call Muted/Unmuted | priority/medium type/feature | ### Requested By: Bracken Funk
### Priority: Medium
### Version: 2.7.0
A trigger for muting/unmuting calls.
| 1.0 | Trigger for Call Muted/Unmuted - ### Requested By: Bracken Funk
### Priority: Medium
### Version: 2.7.0
A trigger for muting/unmuting calls.
| non_design | trigger for call muted unmuted requested by bracken funk priority medium version a trigger for muting unmuting calls | 0 |
2,340 | 2,608,866,333 | IssuesEvent | 2015-02-26 10:33:23 | ThibaultLatrille/ControverSciences | https://api.github.com/repos/ThibaultLatrille/ControverSciences | closed | "Les controverses" | ** to do design | cool c'est déjà plus gras qu'avant, mais tu devrais l'agrandir encore pour que ce soit vraiment plus gros
Sur la page http://www.controversciences.org/
Par : N. Clairis
Navigateur : chrome modern windows webkit | 1.0 | "Les controverses" - cool c'est déjà plus gras qu'avant, mais tu devrais l'agrandir encore pour que ce soit vraiment plus gros
Sur la page http://www.controversciences.org/
Par : N. Clairis
Navigateur : chrome modern windows webkit | design | les controverses cool c est déjà plus gras qu avant mais tu devrais l agrandir encore pour que ce soit vraiment plus gros sur la page par n clairis navigateur chrome modern windows webkit | 1 |
237,208 | 7,757,317,056 | IssuesEvent | 2018-05-31 15:58:00 | Morfeu5z/Trashpanda-Cloud | https://api.github.com/repos/Morfeu5z/Trashpanda-Cloud | closed | Poruszanie się na chmurze po katalogach przy pomocy AJAX'a | DeadLock Standart Priority | <h3>
W js trzeba przygotować funkcje pozwalające na poruszanie się po katalogach.
</h3>
<p>
function ls(katalog){<br>
kod zwracający elementy w podanym katalogu
}<br><br>
var lista = ls(home);<br> | 1.0 | Poruszanie się na chmurze po katalogach przy pomocy AJAX'a - <h3>
W js trzeba przygotować funkcje pozwalające na poruszanie się po katalogach.
</h3>
<p>
function ls(katalog){<br>
kod zwracający elementy w podanym katalogu
}<br><br>
var lista = ls(home);<br> | non_design | poruszanie się na chmurze po katalogach przy pomocy ajax a w js trzeba przygotować funkcje pozwalające na poruszanie się po katalogach function ls katalog kod zwracający elementy w podanym katalogu var lista ls home | 0 |
138,223 | 20,376,001,562 | IssuesEvent | 2022-02-21 15:40:42 | owncloud/web | https://api.github.com/repos/owncloud/web | closed | Redesign "Files Table" | Type:Design Type:Story p3-medium | # Status
# Description
## User Stories
* > As a user I want the files table to be presented in an appealing and well structured way so that my cognitive costs are low.
## Value
- enhance filebrowsing experience
## Acceptance Criteria (Desktop)
- Header: sortable, arrow points up/down if the column is the current "sorted-by" column; on hover (only for sortable columns): arrow (fill type: line) shows up to indicate, that the column is sortable. see attached gifs.
- Quickactions: 3-dots always visible
- Quickactions: other quickactions appear on hover
- file icon is clickable (not only the filename)
- (nice to have 🍰) quickactions: copy link changes icon for short time, if it got clicked (cf. right sidebar -> copy public link) see attached gifs.
## Definition of done
- Functional requirements
[ ] functionality described in the user story works
[ ] acceptance criteria are fulfilled
- Quality
[ ] codre review happened
[ ] CI is green
[ ] critical code received unit tests by the developer
[ ] automated tests passed (if automated tests are not available, this test needs to be created and passed
- Non-functional requirements
[ ] no sonar cloud issues


| 1.0 | Redesign "Files Table" - # Status
# Description
## User Stories
* > As a user I want the files table to be presented in an appealing and well structured way so that my cognitive costs are low.
## Value
- enhance filebrowsing experience
## Acceptance Criteria (Desktop)
- Header: sortable, arrow points up/down if the column is the current "sorted-by" column; on hover (only for sortable columns): arrow (fill type: line) shows up to indicate, that the column is sortable. see attached gifs.
- Quickactions: 3-dots always visible
- Quickactions: other quickactions appear on hover
- file icon is clickable (not only the filename)
- (nice to have 🍰) quickactions: copy link changes icon for short time, if it got clicked (cf. right sidebar -> copy public link) see attached gifs.
## Definition of done
- Functional requirements
[ ] functionality described in the user story works
[ ] acceptance criteria are fulfilled
- Quality
[ ] codre review happened
[ ] CI is green
[ ] critical code received unit tests by the developer
[ ] automated tests passed (if automated tests are not available, this test needs to be created and passed
- Non-functional requirements
[ ] no sonar cloud issues


| design | redesign files table status description user stories as a user i want the files table to be presented in an appealing and well structured way so that my cognitive costs are low value enhance filebrowsing experience acceptance criteria desktop header sortable arrow points up down if the column is the current sorted by column on hover only for sortable columns arrow fill type line shows up to indicate that the column is sortable see attached gifs quickactions dots always visible quickactions other quickactions appear on hover file icon is clickable not only the filename nice to have 🍰 quickactions copy link changes icon for short time if it got clicked cf right sidebar copy public link see attached gifs definition of done functional requirements functionality described in the user story works acceptance criteria are fulfilled quality codre review happened ci is green critical code received unit tests by the developer automated tests passed if automated tests are not available this test needs to be created and passed non functional requirements no sonar cloud issues | 1 |
43,734 | 5,696,909,601 | IssuesEvent | 2017-04-16 16:35:41 | coala/coala | https://api.github.com/repos/coala/coala | opened | CLI: Refactor using context-object approach | area/CLI difficulty/very-high status/needs design | From [this discussion on gitter](https://gitter.im/coala/coala?at=58f39ac84cb8d09173975349):
Currently everything is quite cluttered, and we have many many unintuitive cross-references to functions or objects. Together with passing around log-printers this makes the current CLI a mess from code-perspective, that's why I think that we should implement a "context-object"-based approach.
i.e.
instead of passing thousands of parameters around to each function that might need something (because one of the subfunctions needs something), we use a `coalaRunContext`. When coala gets started, we instantiate a new `coalaRunContext`, where we feed in stuff like passed arguments to coala, maybe sections, etc (what is taken over by the context and what not needs consideration).
Actually it is from designer perspective not the perfect approach in fact, I'm generally not a fan of context objects (as in our case it's in fact a singleton, singletons shouldn't be objects, and in python you can avoid them because functions are objects. That's why we ended up with our current design ;D).
But in this case it will help I believe. We do cross-reference so many data, so it would also speed up things and maintain readability.
CC @satwikkansal | 1.0 | CLI: Refactor using context-object approach - From [this discussion on gitter](https://gitter.im/coala/coala?at=58f39ac84cb8d09173975349):
Currently everything is quite cluttered, and we have many many unintuitive cross-references to functions or objects. Together with passing around log-printers this makes the current CLI a mess from code-perspective, that's why I think that we should implement a "context-object"-based approach.
i.e.
instead of passing thousands of parameters around to each function that might need something (because one of the subfunctions needs something), we use a `coalaRunContext`. When coala gets started, we instantiate a new `coalaRunContext`, where we feed in stuff like passed arguments to coala, maybe sections, etc (what is taken over by the context and what not needs consideration).
Actually it is from designer perspective not the perfect approach in fact, I'm generally not a fan of context objects (as in our case it's in fact a singleton, singletons shouldn't be objects, and in python you can avoid them because functions are objects. That's why we ended up with our current design ;D).
But in this case it will help I believe. We do cross-reference so many data, so it would also speed up things and maintain readability.
CC @satwikkansal | design | cli refactor using context object approach from currently everything is quite cluttered and we have many many unintuitive cross references to functions or objects together with passing around log printers this makes the current cli a mess from code perspective that s why i think that we should implement a context object based approach i e instead of passing thousands of parameters around to each function that might need something because one of the subfunctions needs something we use a coalaruncontext when coala gets started we instantiate a new coalaruncontext where we feed in stuff like passed arguments to coala maybe sections etc what is taken over by the context and what not needs consideration actually it is from designer perspective not the perfect approach in fact i m generally not a fan of context objects as in our case it s in fact a singleton singletons shouldn t be objects and in python you can avoid them because functions are objects that s why we ended up with our current design d but in this case it will help i believe we do cross reference so many data so it would also speed up things and maintain readability cc satwikkansal | 1 |
414,661 | 12,109,870,652 | IssuesEvent | 2020-04-21 09:28:23 | AxonFramework/extension-springcloud | https://api.github.com/repos/AxonFramework/extension-springcloud | closed | Instance registration fails with Eureka | Priority 1: Must Status: In Progress Type: Bug | The registration of a new `ServiceInstance` on Eureka fails due to a `NullPointerException` while retrieving instance URI.
The issue occurred using Spring boot 2.1.2.RELEASE within Spring cloud 2.0.1.RELEASE.
| 1.0 | Instance registration fails with Eureka - The registration of a new `ServiceInstance` on Eureka fails due to a `NullPointerException` while retrieving instance URI.
The issue occurred using Spring boot 2.1.2.RELEASE within Spring cloud 2.0.1.RELEASE.
| non_design | instance registration fails with eureka the registration of a new serviceinstance on eureka fails due to a nullpointerexception while retrieving instance uri the issue occurred using spring boot release within spring cloud release | 0 |
4,795 | 7,689,140,333 | IssuesEvent | 2018-05-17 11:47:07 | gvwilson/h2tp | https://api.github.com/repos/gvwilson/h2tp | opened | Ch06 Juha Sorva | Ch06 Process | - Deciding what to teach (use authentic tasks): This point here is the problematic one: how to provide authenticity when the learners are novices? How to follow the "phonicsy" advice from the previous chapter and still be authentic and motivating? Parsons problems and MCQ (and worked examples, even) aren’t the most authentic things. Perhaps you could discuss this tension a bit more somewhere in the chapter? I expect it’s something that many teachers (novice and expert) struggle with. (Cf. what I wrote in the previous chapter about recent work in CLT and the principles we used in "Research-Based Design of the First Weeks of CS1".)
| 1.0 | Ch06 Juha Sorva - - Deciding what to teach (use authentic tasks): This point here is the problematic one: how to provide authenticity when the learners are novices? How to follow the "phonicsy" advice from the previous chapter and still be authentic and motivating? Parsons problems and MCQ (and worked examples, even) aren’t the most authentic things. Perhaps you could discuss this tension a bit more somewhere in the chapter? I expect it’s something that many teachers (novice and expert) struggle with. (Cf. what I wrote in the previous chapter about recent work in CLT and the principles we used in "Research-Based Design of the First Weeks of CS1".)
| non_design | juha sorva deciding what to teach use authentic tasks this point here is the problematic one how to provide authenticity when the learners are novices how to follow the phonicsy advice from the previous chapter and still be authentic and motivating parsons problems and mcq and worked examples even aren’t the most authentic things perhaps you could discuss this tension a bit more somewhere in the chapter i expect it’s something that many teachers novice and expert struggle with cf what i wrote in the previous chapter about recent work in clt and the principles we used in research based design of the first weeks of | 0 |
109,671 | 13,797,378,493 | IssuesEvent | 2020-10-09 22:02:13 | elementary/wingpanel-indicator-datetime | https://api.github.com/repos/elementary/wingpanel-indicator-datetime | closed | Use Hdy.Paginator | Needs Design Priority: Wishlist | For smooth 1:1 swiping on the calendar
<bountysource-plugin>
---
Want to back this issue? **[Post a bounty on it!](https://www.bountysource.com/issues/91394723-use-hdy-paginator?utm_campaign=plugin&utm_content=tracker%2F57456330&utm_medium=issues&utm_source=github)** We accept bounties via [Bountysource](https://www.bountysource.com/?utm_campaign=plugin&utm_content=tracker%2F57456330&utm_medium=issues&utm_source=github).
</bountysource-plugin> | 1.0 | Use Hdy.Paginator - For smooth 1:1 swiping on the calendar
<bountysource-plugin>
---
Want to back this issue? **[Post a bounty on it!](https://www.bountysource.com/issues/91394723-use-hdy-paginator?utm_campaign=plugin&utm_content=tracker%2F57456330&utm_medium=issues&utm_source=github)** We accept bounties via [Bountysource](https://www.bountysource.com/?utm_campaign=plugin&utm_content=tracker%2F57456330&utm_medium=issues&utm_source=github).
</bountysource-plugin> | design | use hdy paginator for smooth swiping on the calendar want to back this issue we accept bounties via | 1 |
135,948 | 19,684,819,978 | IssuesEvent | 2022-01-11 20:47:56 | DarwinPon/cs269_golf_sim | https://api.github.com/repos/DarwinPon/cs269_golf_sim | opened | Interaction design for MWP | enhancement design | Please design the player interaction for the first Minimal Working Production (MWP).
Topics to cover:
* player controls
* different launch forces and directions
* game ending screen when ball enters goal
Optional topics to cover
* register and print events when ball passes over placeholder powerup
* add second player and collision effects | 1.0 | Interaction design for MWP - Please design the player interaction for the first Minimal Working Production (MWP).
Topics to cover:
* player controls
* different launch forces and directions
* game ending screen when ball enters goal
Optional topics to cover
* register and print events when ball passes over placeholder powerup
* add second player and collision effects | design | interaction design for mwp please design the player interaction for the first minimal working production mwp topics to cover player controls different launch forces and directions game ending screen when ball enters goal optional topics to cover register and print events when ball passes over placeholder powerup add second player and collision effects | 1 |
182,644 | 30,879,153,646 | IssuesEvent | 2023-08-03 16:13:20 | bcgov/platform-services-registry | https://api.github.com/repos/bcgov/platform-services-registry | opened | Word frequency and sentiment analysis for RC | *team/ service design* | **Describe the issue**
Create program that dynamically completes sentiment and word frequency analysis for Rocket Chat help channels.
**Additional context**
Relates to pain point research, but can be used beyond that.
**How does this benefit the users of our platform?**
Allows us to understand the most frequently asked questions users ask without having survey users.
**Definition of done**
Program is complete and is functional | 1.0 | Word frequency and sentiment analysis for RC - **Describe the issue**
Create program that dynamically completes sentiment and word frequency analysis for Rocket Chat help channels.
**Additional context**
Relates to pain point research, but can be used beyond that.
**How does this benefit the users of our platform?**
Allows us to understand the most frequently asked questions users ask without having survey users.
**Definition of done**
Program is complete and is functional | design | word frequency and sentiment analysis for rc describe the issue create program that dynamically completes sentiment and word frequency analysis for rocket chat help channels additional context relates to pain point research but can be used beyond that how does this benefit the users of our platform allows us to understand the most frequently asked questions users ask without having survey users definition of done program is complete and is functional | 1 |
140,381 | 31,931,368,558 | IssuesEvent | 2023-09-19 07:40:06 | XAMPPRocky/rasn | https://api.github.com/repos/XAMPPRocky/rasn | closed | Infinite recursion while encoding via PER | kind/bug help wanted area/codec | APER and UPER encoding causes infinite recursion and a stack overflow in the following example:
```rust
use rasn::AsnType;
#[derive(rasn::AsnType, rasn::Encode, rasn::Decode, Debug, PartialEq, Eq)]
#[rasn(automatic_tags)]
#[rasn(choice)]
pub enum MyEnum {
VariantA,
VariantB,
}
#[derive(rasn::AsnType, rasn::Encode, rasn::Decode, Debug, PartialEq, Eq)]
#[rasn(automatic_tags)]
pub struct MyStruct {
pub reason: MyEnum,
}
#[cfg(test)]
mod test {
use crate::*;
macro_rules! rt {
($codec:ident) => {{
let src = MyStruct {
reason: MyEnum::VariantA,
};
let data = rasn::$codec::encode(&src).unwrap();
let dst = rasn::$codec::decode(&data).unwrap();
assert_eq!(src, dst);
}}
}
#[test]
fn ber() { rt!(ber); }
#[test]
fn aper() { rt!(aper); }
#[test]
fn uper() { rt!(uper); }
#[test]
fn cer() { rt!(cer); }
#[test]
fn der() { rt!(der); }
}
```
Note in the same example, the `ber`, `cer`, and `der` tests succeed. The following is a part of the output of the `bt` command when running this test through gdb:
```
#4106 0x0000555555588542 in rasn::enc::Encode::encode_with_tag<rasn_poc::MyEnum, rasn::per::enc::Encoder> (self=0x7ffff6a04536, encoder=0x7ffff6a04060, tag=...) at $HOME/.cargo/registry/src/index.crates.io-6f17d22bba15001f/rasn-0.9.4/src/enc.rs:27
#4107 0x000055555558ffac in rasn::per::enc::{impl#2}::encode_explicit_prefix<rasn_poc::MyEnum> (self=0x7ffff6a04060, tag=..., value=0x7ffff6a04536) at $HOME/.cargo/registry/src/index.crates.io-6f17d22bba15001f/rasn-0.9.4/src/per/enc.rs:991
#4108 0x00005555555888fc in rasn_poc::{impl#2}::encode_with_tag_and_constraints<rasn::per::enc::Encoder> (self=0x7ffff6a04536, encoder=0x7ffff6a04060, tag=..., constraints=...) at src/lib.rs:3
#4109 0x0000555555588542 in rasn::enc::Encode::encode_with_tag<rasn_poc::MyEnum, rasn::per::enc::Encoder> (self=0x7ffff6a04536, encoder=0x7ffff6a04060, tag=...) at $HOME/.cargo/registry/src/index.crates.io-6f17d22bba15001f/rasn-0.9.4/src/enc.rs:27
#4110 0x000055555558ffac in rasn::per::enc::{impl#2}::encode_explicit_prefix<rasn_poc::MyEnum> (self=0x7ffff6a04060, tag=..., value=0x7ffff6a04536) at $HOME/.cargo/registry/src/index.crates.io-6f17d22bba15001f/rasn-0.9.4/src/per/enc.rs:991
``` | 1.0 | Infinite recursion while encoding via PER - APER and UPER encoding causes infinite recursion and a stack overflow in the following example:
```rust
use rasn::AsnType;
#[derive(rasn::AsnType, rasn::Encode, rasn::Decode, Debug, PartialEq, Eq)]
#[rasn(automatic_tags)]
#[rasn(choice)]
pub enum MyEnum {
VariantA,
VariantB,
}
#[derive(rasn::AsnType, rasn::Encode, rasn::Decode, Debug, PartialEq, Eq)]
#[rasn(automatic_tags)]
pub struct MyStruct {
pub reason: MyEnum,
}
#[cfg(test)]
mod test {
use crate::*;
macro_rules! rt {
($codec:ident) => {{
let src = MyStruct {
reason: MyEnum::VariantA,
};
let data = rasn::$codec::encode(&src).unwrap();
let dst = rasn::$codec::decode(&data).unwrap();
assert_eq!(src, dst);
}}
}
#[test]
fn ber() { rt!(ber); }
#[test]
fn aper() { rt!(aper); }
#[test]
fn uper() { rt!(uper); }
#[test]
fn cer() { rt!(cer); }
#[test]
fn der() { rt!(der); }
}
```
Note in the same example, the `ber`, `cer`, and `der` tests succeed. The following is a part of the output of the `bt` command when running this test through gdb:
```
#4106 0x0000555555588542 in rasn::enc::Encode::encode_with_tag<rasn_poc::MyEnum, rasn::per::enc::Encoder> (self=0x7ffff6a04536, encoder=0x7ffff6a04060, tag=...) at $HOME/.cargo/registry/src/index.crates.io-6f17d22bba15001f/rasn-0.9.4/src/enc.rs:27
#4107 0x000055555558ffac in rasn::per::enc::{impl#2}::encode_explicit_prefix<rasn_poc::MyEnum> (self=0x7ffff6a04060, tag=..., value=0x7ffff6a04536) at $HOME/.cargo/registry/src/index.crates.io-6f17d22bba15001f/rasn-0.9.4/src/per/enc.rs:991
#4108 0x00005555555888fc in rasn_poc::{impl#2}::encode_with_tag_and_constraints<rasn::per::enc::Encoder> (self=0x7ffff6a04536, encoder=0x7ffff6a04060, tag=..., constraints=...) at src/lib.rs:3
#4109 0x0000555555588542 in rasn::enc::Encode::encode_with_tag<rasn_poc::MyEnum, rasn::per::enc::Encoder> (self=0x7ffff6a04536, encoder=0x7ffff6a04060, tag=...) at $HOME/.cargo/registry/src/index.crates.io-6f17d22bba15001f/rasn-0.9.4/src/enc.rs:27
#4110 0x000055555558ffac in rasn::per::enc::{impl#2}::encode_explicit_prefix<rasn_poc::MyEnum> (self=0x7ffff6a04060, tag=..., value=0x7ffff6a04536) at $HOME/.cargo/registry/src/index.crates.io-6f17d22bba15001f/rasn-0.9.4/src/per/enc.rs:991
``` | non_design | infinite recursion while encoding via per aper and uper encoding causes infinite recursion and a stack overflow in the following example rust use rasn asntype pub enum myenum varianta variantb pub struct mystruct pub reason myenum mod test use crate macro rules rt codec ident let src mystruct reason myenum varianta let data rasn codec encode src unwrap let dst rasn codec decode data unwrap assert eq src dst fn ber rt ber fn aper rt aper fn uper rt uper fn cer rt cer fn der rt der note in the same example the ber cer and der tests succeed the following is a part of the output of the bt command when running this test through gdb in rasn enc encode encode with tag self encoder tag at home cargo registry src index crates io rasn src enc rs in rasn per enc impl encode explicit prefix self tag value at home cargo registry src index crates io rasn src per enc rs in rasn poc impl encode with tag and constraints self encoder tag constraints at src lib rs in rasn enc encode encode with tag self encoder tag at home cargo registry src index crates io rasn src enc rs in rasn per enc impl encode explicit prefix self tag value at home cargo registry src index crates io rasn src per enc rs | 0 |
3,583 | 2,772,600,089 | IssuesEvent | 2015-05-02 20:42:08 | andsens/bootstrap-vz | https://api.github.com/repos/andsens/bootstrap-vz | closed | bootstrap-vz does not work with euca2ools 3xx | bug documentation EC2 fixed in dev | Different command switches needed.
As for euca2ools2x it conflicts with boto library higher than 0.21 version. Finding proper boto version is challenging. | 1.0 | bootstrap-vz does not work with euca2ools 3xx - Different command switches needed.
As for euca2ools2x it conflicts with boto library higher than 0.21 version. Finding proper boto version is challenging. | non_design | bootstrap vz does not work with different command switches needed as for it conflicts with boto library higher than version finding proper boto version is challenging | 0 |
339,777 | 24,627,851,331 | IssuesEvent | 2022-10-16 18:50:21 | CyBear-Jinni/security_bear | https://api.github.com/repos/CyBear-Jinni/security_bear | closed | YouTube logo in readme is not in the correct line | bug documentation good first issue hacktoberfest super easy |
The YouTube logo in readme file (dev branch) suppose to be in a new line of its own

| 1.0 | YouTube logo in readme is not in the correct line -
The YouTube logo in readme file (dev branch) suppose to be in a new line of its own

| non_design | youtube logo in readme is not in the correct line the youtube logo in readme file dev branch suppose to be in a new line of its own | 0 |
77,589 | 9,601,534,058 | IssuesEvent | 2019-05-10 12:26:37 | MozillaReality/FirefoxReality | https://api.github.com/repos/MozillaReality/FirefoxReality | closed | Consider highlighting actively selected locale in Language Selection pop-up menu | Needs Design P3 enhancement | **Is your feature request related to a problem? Please describe.**
It's not a problem per se, but the UX is a tad confusing because.
**Describe the solution you'd like**
per my review comment in PR #1151: https://github.com/MozillaReality/FirefoxReality/pull/1151#pullrequestreview-234145327:
> 2. when I click the keyboard's 🌐globe icon, the last locale is highlighted because the cursor is hovering over it. can we add a threshold to only hover if the cursor is changed drastically so it's not automatically highlighted?
>
> 3. per the [`UIS-6.017` spec](https://github.com/MozillaReality/FirefoxReality/files/3149409/UIS-6_Keyboard_017.pdf), the name of the Locale should appear in the space bar. @thenadj: does this apply to only non-English locales? (perhaps we should have the text read `Space` in the appropriate current keyboard locale?)
>
> 
> 
>
[`DE-12.012` design exploration](https://github.com/MozillaReality/FirefoxReality/files/3149416/DE-12_Keyboard_012.pdf) suggests a different approach using the `Space` key:
> 4. per the [`DE-12.012` design exploration](https://github.com/MozillaReality/FirefoxReality/files/3149416/DE-12_Keyboard_012.pdf), can we highlight or change the text colour to denote the active keyboard locale?
>
> 
>
**Describe alternatives you've considered**
Could **bold** the text, use a `@color/fog` (#e2e6eb) background colour (à la actively selected tray items), or in some other way that users can visually tell which locale is being used for the keyboard layout.
**Additional context**
See issue #1134, issue #1150, PR #1151, and PR #1151 comment https://github.com/MozillaReality/FirefoxReality/pull/1151#pullrequestreview-234145327 for context.
| 1.0 | Consider highlighting actively selected locale in Language Selection pop-up menu - **Is your feature request related to a problem? Please describe.**
It's not a problem per se, but the UX is a tad confusing because.
**Describe the solution you'd like**
per my review comment in PR #1151: https://github.com/MozillaReality/FirefoxReality/pull/1151#pullrequestreview-234145327:
> 2. when I click the keyboard's 🌐globe icon, the last locale is highlighted because the cursor is hovering over it. can we add a threshold to only hover if the cursor is changed drastically so it's not automatically highlighted?
>
> 3. per the [`UIS-6.017` spec](https://github.com/MozillaReality/FirefoxReality/files/3149409/UIS-6_Keyboard_017.pdf), the name of the Locale should appear in the space bar. @thenadj: does this apply to only non-English locales? (perhaps we should have the text read `Space` in the appropriate current keyboard locale?)
>
> 
> 
>
[`DE-12.012` design exploration](https://github.com/MozillaReality/FirefoxReality/files/3149416/DE-12_Keyboard_012.pdf) suggests a different approach using the `Space` key:
> 4. per the [`DE-12.012` design exploration](https://github.com/MozillaReality/FirefoxReality/files/3149416/DE-12_Keyboard_012.pdf), can we highlight or change the text colour to denote the active keyboard locale?
>
> 
>
**Describe alternatives you've considered**
Could **bold** the text, use a `@color/fog` (#e2e6eb) background colour (à la actively selected tray items), or in some other way that users can visually tell which locale is being used for the keyboard layout.
**Additional context**
See issue #1134, issue #1150, PR #1151, and PR #1151 comment https://github.com/MozillaReality/FirefoxReality/pull/1151#pullrequestreview-234145327 for context.
| design | consider highlighting actively selected locale in language selection pop up menu is your feature request related to a problem please describe it s not a problem per se but the ux is a tad confusing because describe the solution you d like per my review comment in pr when i click the keyboard s 🌐globe icon the last locale is highlighted because the cursor is hovering over it can we add a threshold to only hover if the cursor is changed drastically so it s not automatically highlighted per the the name of the locale should appear in the space bar thenadj does this apply to only non english locales perhaps we should have the text read space in the appropriate current keyboard locale suggests a different approach using the space key per the can we highlight or change the text colour to denote the active keyboard locale describe alternatives you ve considered could bold the text use a color fog background colour à la actively selected tray items or in some other way that users can visually tell which locale is being used for the keyboard layout additional context see issue issue pr and pr comment for context | 1 |
75,927 | 21,053,294,630 | IssuesEvent | 2022-03-31 22:49:03 | PixarAnimationStudios/OpenTimelineIO | https://api.github.com/repos/PixarAnimationStudios/OpenTimelineIO | closed | Imath 3 dependence breaks vfxplatform compatibility | build | Now that OTIO depends on Imath, we are out of compliance with our stated vfxplatform support.
cy2022 - 3.1.x
cy2021 - 2.4.x
cy2020 - 2.4.x
cy2019 - 2.3.x
We need to modify the dependencies as:
```cmake
if find_package(Imath)
use Imath::Imath
elseif find_package(Ilmbase)
use Imath from Ilmbase
else
do the fetch content thing and use Imath::Imath
```
| 1.0 | Imath 3 dependence breaks vfxplatform compatibility - Now that OTIO depends on Imath, we are out of compliance with our stated vfxplatform support.
cy2022 - 3.1.x
cy2021 - 2.4.x
cy2020 - 2.4.x
cy2019 - 2.3.x
We need to modify the dependencies as:
```cmake
if find_package(Imath)
use Imath::Imath
elseif find_package(Ilmbase)
use Imath from Ilmbase
else
do the fetch content thing and use Imath::Imath
```
| non_design | imath dependence breaks vfxplatform compatibility now that otio depends on imath we are out of compliance with our stated vfxplatform support x x x x we need to modify the dependencies as cmake if find package imath use imath imath elseif find package ilmbase use imath from ilmbase else do the fetch content thing and use imath imath | 0 |
35,534 | 14,730,437,388 | IssuesEvent | 2021-01-06 13:12:51 | ramboxapp/community-edition | https://api.github.com/repos/ramboxapp/community-edition | closed | WORKPLACE CHAT ATTACHMENTS NOT WORKING | more-information-needed service-bug | <!-- I am unable to view the pdf files that was uploaded to Workplace. It says URL not found. Photos will only show if I click on it. I will show that it is blank spaces unless my cursor goes on it -->
<!-- DON'T REMOVE THE FOLLOWING LINES -->
-
> Rambox 0.7.7
> Electron 7.2.4
> win32 x64 10.0.19041 | 1.0 | WORKPLACE CHAT ATTACHMENTS NOT WORKING - <!-- I am unable to view the pdf files that was uploaded to Workplace. It says URL not found. Photos will only show if I click on it. I will show that it is blank spaces unless my cursor goes on it -->
<!-- DON'T REMOVE THE FOLLOWING LINES -->
-
> Rambox 0.7.7
> Electron 7.2.4
> win32 x64 10.0.19041 | non_design | workplace chat attachments not working rambox electron | 0 |
484,729 | 13,956,552,545 | IssuesEvent | 2020-10-24 01:43:22 | KnowledgeCaptureAndDiscovery/OBA | https://api.github.com/repos/KnowledgeCaptureAndDiscovery/OBA | opened | modelcatalog_reduced does not validate anymore | bug high priority | When I created this example ontology, it would validate in the swagger editor. Now it doesn't despite all tests being passed.
I am going to incorporate an OpenAPI validator (https://github.com/openapi4j/openapi4j) to our tests, to make sure that every OpenAPI conforms to the spec. | 1.0 | modelcatalog_reduced does not validate anymore - When I created this example ontology, it would validate in the swagger editor. Now it doesn't despite all tests being passed.
I am going to incorporate an OpenAPI validator (https://github.com/openapi4j/openapi4j) to our tests, to make sure that every OpenAPI conforms to the spec. | non_design | modelcatalog reduced does not validate anymore when i created this example ontology it would validate in the swagger editor now it doesn t despite all tests being passed i am going to incorporate an openapi validator to our tests to make sure that every openapi conforms to the spec | 0 |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.