Unnamed: 0
int64 3
832k
| id
float64 2.49B
32.1B
| type
stringclasses 1
value | created_at
stringlengths 19
19
| repo
stringlengths 7
112
| repo_url
stringlengths 36
141
| action
stringclasses 3
values | title
stringlengths 2
742
| labels
stringlengths 4
431
| body
stringlengths 5
239k
| index
stringclasses 10
values | text_combine
stringlengths 96
240k
| label
stringclasses 2
values | text
stringlengths 96
200k
| binary_label
int64 0
1
|
|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|
173,709
| 27,515,531,603
|
IssuesEvent
|
2023-03-06 11:42:02
|
flutter/flutter
|
https://api.github.com/repos/flutter/flutter
|
closed
|
`BottomAppBar` does not match M3 spec
|
framework f: material design has reproducible steps found in release: 3.3 found in release: 3.7
|
## BottomAppBar Gets a Drop Shadow in M3
Based on the Material 3 specification the `BottomAppBar` should **not** have a drop shadow in Material 3 design. See specification https://m3.material.io/components/bottom-app-bar/specs.
The current Flutter M3 implementation creates a default `BottomAppBar` in Material 3 mode that has a drop shadow.
## Expected results
Expected no `Material` drop shadow on default `BottomAppBar` in Material 3 mode.

## Actual results
We get a default `BottomAppBar` in Material 3 mode with `Material` drop shadow.
| BottomAppBar in M3 LIGHT (FAIL) | BottomAppBar in M3 DARK (FAIL) |
|------|---------|
|||
## Proposal
The recently revised `Material` requires setting `shadowColor` to `Colors.transparent` to remove the default drop shadow in Material 3 mode. This is missing in current implementation, most likely forgotten to be added to this widget and theme when the change in `Material` M3 behavior was made.
The current default `BottomAppBarTheme` is:
```dart
class _BottomAppBarDefaultsM3 extends BottomAppBarTheme {
const _BottomAppBarDefaultsM3(this.context)
: super(
elevation: 3.0,
height: 80.0,
shape: const AutomaticNotchedShape(RoundedRectangleBorder()),
);
final BuildContext context;
@override
Color? get color => Theme.of(context).colorScheme.surface;
@override
Color? get surfaceTintColor => Theme.of(context).colorScheme.surfaceTint;
}
```
The `BottomAppBarTheme`, like `AppBarTheme` needs to have a `shadowColor` property that is set to `Colors.transparent` and then used by underlying `Material` to remove the shadow.
```dart
class _BottomAppBarDefaultsM3 extends BottomAppBarTheme {
const _BottomAppBarDefaultsM3(this.context)
: super(
elevation: 3.0,
height: 80.0,
shape: const AutomaticNotchedShape(RoundedRectangleBorder()),
);
final BuildContext context;
@override
Color? get color => Theme.of(context).colorScheme.surface;
@override
Color? get surfaceTintColor => Theme.of(context).colorScheme.surfaceTint;
// Needed new property and default to match M3 spec.
@override
Color? get shadowColor => Colors.transparent;
}
```
## Issue demo code
<details>
<summary>Code sample</summary>
```dart
// MIT License
//
// Copyright (c) 2023 Mike Rydstrom
//
// Permission is hereby granted, free of charge, to any person obtaining a copy
// of this software and associated documentation files (the "Software"), to deal
// in the Software without restriction, including without limitation the rights
// to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
// copies of the Software, and to permit persons to whom the Software is
// furnished to do so, subject to the following conditions:
//
// The above copyright notice and this permission notice shall be included in all
// copies or substantial portions of the Software.
//
// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
// IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
// FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
// AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
// LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
// OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
// SOFTWARE.
import 'package:flutter/material.dart';
enum ThemeType {
defaultFactory,
themeDataFrom,
themeDataColorSchemeSeed,
}
// A seed color for M3 ColorScheme.
const Color seedColor = Color(0xff386a20);
// Example themes
ThemeData demoTheme(Brightness mode, bool useMaterial3, ThemeType type) {
// Make an M3 ColorScheme.from seed
final ColorScheme scheme = ColorScheme.fromSeed(
brightness: mode,
seedColor: seedColor,
);
switch (type) {
case ThemeType.defaultFactory:
return ThemeData(
colorScheme: scheme,
useMaterial3: useMaterial3,
);
case ThemeType.themeDataFrom:
return ThemeData.from(
colorScheme: scheme,
useMaterial3: useMaterial3,
);
case ThemeType.themeDataColorSchemeSeed:
return ThemeData(
brightness: mode,
colorSchemeSeed: seedColor,
useMaterial3: useMaterial3,
);
}
}
void main() {
runApp(const IssueDemoApp());
}
class IssueDemoApp extends StatefulWidget {
const IssueDemoApp({super.key});
@override
State<IssueDemoApp> createState() => _IssueDemoAppState();
}
class _IssueDemoAppState extends State<IssueDemoApp> {
bool useMaterial3 = true;
ThemeMode themeMode = ThemeMode.light;
ThemeType themeType = ThemeType.themeDataFrom;
@override
Widget build(BuildContext context) {
return MaterialApp(
debugShowCheckedModeBanner: false,
themeMode: themeMode,
theme: demoTheme(Brightness.light, useMaterial3, themeType),
darkTheme: demoTheme(Brightness.dark, useMaterial3, themeType),
home: Scaffold(
appBar: AppBar(
title: const Text('BottomAppBar M3 Issue'),
actions: [
IconButton(
icon: useMaterial3
? const Icon(Icons.filter_3)
: const Icon(Icons.filter_2),
onPressed: () {
setState(() {
useMaterial3 = !useMaterial3;
});
},
tooltip: "Switch to Material ${useMaterial3 ? 2 : 3}",
),
IconButton(
icon: themeMode == ThemeMode.dark
? const Icon(Icons.wb_sunny_outlined)
: const Icon(Icons.wb_sunny),
onPressed: () {
setState(() {
if (themeMode == ThemeMode.light) {
themeMode = ThemeMode.dark;
} else {
themeMode = ThemeMode.light;
}
});
},
tooltip: "Toggle brightness",
),
Builder(builder: (context) {
return IconButton(
icon: const Icon(Icons.menu),
onPressed: () {
Scaffold.of(context).openEndDrawer();
},
);
}),
],
),
body: HomePage(
themeType: themeType,
onChanged: (ThemeType value) {
setState(() {
themeType = value;
});
},
),
drawer: const Drawer(
child: Center(child: Text('Drawer')),
),
endDrawer: const Drawer(
child: Center(child: Text('End Drawer')),
),
),
);
}
}
class HomePage extends StatelessWidget {
const HomePage({super.key, this.themeType, this.onChanged});
final ThemeType? themeType;
final ValueChanged<ThemeType>? onChanged;
@override
Widget build(BuildContext context) {
final ThemeData theme = Theme.of(context);
final String materialType =
theme.useMaterial3 ? "Material 3" : "Material 2";
return ListView(
padding: const EdgeInsets.symmetric(horizontal: 16),
children: [
const SizedBox(height: 8),
Text(
'Issue Demo - $materialType',
style: theme.textTheme.headlineSmall,
),
const SizedBox(height: 16),
ThemeTypeButtons(
themeType: themeType,
onChanged: onChanged,
),
const SizedBox(height: 16),
const Padding(
padding: EdgeInsets.all(32.0),
child: BottomAppBarShowcase(),
),
const ShowColorSchemeColors(),
const SizedBox(height: 16),
const ShowThemeDataColors(),
],
);
}
}
class ThemeTypeButtons extends StatelessWidget {
const ThemeTypeButtons({
super.key,
this.themeType,
this.onChanged,
});
final ThemeType? themeType;
final ValueChanged<ThemeType>? onChanged;
@override
Widget build(BuildContext context) {
final List<bool> isSelected = <bool>[
themeType == ThemeType.defaultFactory,
themeType == ThemeType.themeDataFrom,
themeType == ThemeType.themeDataColorSchemeSeed,
];
return ToggleButtons(
isSelected: isSelected,
onPressed: onChanged == null
? null
: (int newIndex) {
onChanged?.call(ThemeType.values[newIndex]);
},
children: const <Widget>[
Padding(
padding: EdgeInsets.symmetric(horizontal: 16.0),
child: Text('ThemeData'),
),
Padding(
padding: EdgeInsets.symmetric(horizontal: 16.0),
child: Text('ThemeData.from'),
),
Padding(
padding: EdgeInsets.symmetric(horizontal: 16.0),
child: Text('ThemeData(colorSchemeSeed)'),
),
],
);
}
}
class BottomAppBarShowcase extends StatelessWidget {
const BottomAppBarShowcase({super.key});
@override
Widget build(BuildContext context) {
return BottomAppBar(
child: Row(
children: <Widget>[
IconButton(
tooltip: 'Open navigation menu',
icon: const Icon(Icons.menu),
onPressed: () {},
),
const Spacer(),
IconButton(
tooltip: 'Search',
icon: const Icon(Icons.search),
onPressed: () {},
),
IconButton(
tooltip: 'Favorite',
icon: const Icon(Icons.favorite),
onPressed: () {},
),
],
),
);
}
}
/// Draw a number of boxes showing the colors of key theme color properties
/// in the ColorScheme of the inherited ThemeData and its color properties.
class ShowColorSchemeColors extends StatelessWidget {
const ShowColorSchemeColors({super.key, this.onBackgroundColor});
/// The color of the background the color widget are being drawn on.
///
/// Some of the theme colors may have semi transparent fill color. To compute
/// a legible text color for the sum when it shown on a background color, we
/// need to alpha merge it with background and we need the exact background
/// color it is drawn on for that. If not passed in from parent, it is
/// assumed to be drawn on card color, which usually is close enough.
final Color? onBackgroundColor;
// Return true if the color is light, meaning it needs dark text for contrast.
static bool _isLight(final Color color) =>
ThemeData.estimateBrightnessForColor(color) == Brightness.light;
// On color used when a theme color property does not have a theme onColor.
static Color _onColor(final Color color, final Color bg) =>
_isLight(Color.alphaBlend(color, bg)) ? Colors.black : Colors.white;
@override
Widget build(BuildContext context) {
final ThemeData theme = Theme.of(context);
final ColorScheme colorScheme = theme.colorScheme;
final bool useMaterial3 = theme.useMaterial3;
// Grab the card border from the theme card shape
ShapeBorder? border = theme.cardTheme.shape;
// If we had one, copy in a border side to it.
if (border is RoundedRectangleBorder) {
border = border.copyWith(
side: BorderSide(
color: theme.dividerColor,
width: 1,
),
);
// If
} else {
// If border was null, make one matching Card default, but with border
// side, if it was not null, we leave it as it was.
border ??= RoundedRectangleBorder(
borderRadius: BorderRadius.all(Radius.circular(useMaterial3 ? 12 : 4)),
side: BorderSide(
color: theme.dividerColor,
width: 1,
),
);
}
// Get effective background color.
final Color background =
onBackgroundColor ?? theme.cardTheme.color ?? theme.cardColor;
// Wrap this widget branch in a custom theme where card has a border outline
// if it did not have one, but retains in ambient themed border radius.
return Theme(
data: Theme.of(context).copyWith(
cardTheme: CardTheme.of(context).copyWith(
elevation: 0,
shape: border,
),
),
child: Column(
crossAxisAlignment: CrossAxisAlignment.start,
children: <Widget>[
Padding(
padding: const EdgeInsets.symmetric(vertical: 8),
child: Text(
'ColorScheme Colors',
style: theme.textTheme.titleMedium,
),
),
Wrap(
alignment: WrapAlignment.start,
crossAxisAlignment: WrapCrossAlignment.center,
spacing: 6,
runSpacing: 6,
children: <Widget>[
ColorCard(
label: 'Primary',
color: colorScheme.primary,
textColor: colorScheme.onPrimary,
),
ColorCard(
label: 'on\nPrimary',
color: colorScheme.onPrimary,
textColor: colorScheme.primary,
),
ColorCard(
label: 'Primary\nContainer',
color: colorScheme.primaryContainer,
textColor: colorScheme.onPrimaryContainer,
),
ColorCard(
label: 'onPrimary\nContainer',
color: colorScheme.onPrimaryContainer,
textColor: colorScheme.primaryContainer,
),
ColorCard(
label: 'Secondary',
color: colorScheme.secondary,
textColor: colorScheme.onSecondary,
),
ColorCard(
label: 'on\nSecondary',
color: colorScheme.onSecondary,
textColor: colorScheme.secondary,
),
ColorCard(
label: 'Secondary\nContainer',
color: colorScheme.secondaryContainer,
textColor: colorScheme.onSecondaryContainer,
),
ColorCard(
label: 'on\nSecondary\nContainer',
color: colorScheme.onSecondaryContainer,
textColor: colorScheme.secondaryContainer,
),
ColorCard(
label: 'Tertiary',
color: colorScheme.tertiary,
textColor: colorScheme.onTertiary,
),
ColorCard(
label: 'on\nTertiary',
color: colorScheme.onTertiary,
textColor: colorScheme.tertiary,
),
ColorCard(
label: 'Tertiary\nContainer',
color: colorScheme.tertiaryContainer,
textColor: colorScheme.onTertiaryContainer,
),
ColorCard(
label: 'on\nTertiary\nContainer',
color: colorScheme.onTertiaryContainer,
textColor: colorScheme.tertiaryContainer,
),
ColorCard(
label: 'Error',
color: colorScheme.error,
textColor: colorScheme.onError,
),
ColorCard(
label: 'on\nError',
color: colorScheme.onError,
textColor: colorScheme.error,
),
ColorCard(
label: 'Error\nContainer',
color: colorScheme.errorContainer,
textColor: colorScheme.onErrorContainer,
),
ColorCard(
label: 'onError\nContainer',
color: colorScheme.onErrorContainer,
textColor: colorScheme.errorContainer,
),
ColorCard(
label: 'Background',
color: colorScheme.background,
textColor: colorScheme.onBackground,
),
ColorCard(
label: 'on\nBackground',
color: colorScheme.onBackground,
textColor: colorScheme.background,
),
ColorCard(
label: 'Surface',
color: colorScheme.surface,
textColor: colorScheme.onSurface,
),
ColorCard(
label: 'on\nSurface',
color: colorScheme.onSurface,
textColor: colorScheme.surface,
),
ColorCard(
label: 'Surface\nVariant',
color: colorScheme.surfaceVariant,
textColor: colorScheme.onSurfaceVariant,
),
ColorCard(
label: 'onSurface\nVariant',
color: colorScheme.onSurfaceVariant,
textColor: colorScheme.surfaceVariant,
),
ColorCard(
label: 'Outline',
color: colorScheme.outline,
textColor: colorScheme.background,
),
ColorCard(
label: 'Outline\nVariant',
color: colorScheme.outlineVariant,
textColor: _onColor(colorScheme.outlineVariant, background),
),
ColorCard(
label: 'Shadow',
color: colorScheme.shadow,
textColor: _onColor(colorScheme.shadow, background),
),
ColorCard(
label: 'Scrim',
color: colorScheme.scrim,
textColor: _onColor(colorScheme.scrim, background),
),
ColorCard(
label: 'Inverse\nSurface',
color: colorScheme.inverseSurface,
textColor: colorScheme.onInverseSurface,
),
ColorCard(
label: 'onInverse\nSurface',
color: colorScheme.onInverseSurface,
textColor: colorScheme.inverseSurface,
),
ColorCard(
label: 'Inverse\nPrimary',
color: colorScheme.inversePrimary,
textColor: colorScheme.primary,
),
ColorCard(
label: 'Surface\nTint',
color: colorScheme.surfaceTint,
textColor: colorScheme.onPrimary,
),
],
),
],
),
);
}
}
/// Draw a number of boxes showing the colors of key theme color properties
/// in the ColorScheme of the inherited ThemeData and some of its key color
/// properties.
class ShowThemeDataColors extends StatelessWidget {
const ShowThemeDataColors({
super.key,
this.onBackgroundColor,
});
/// The color of the background the color widget are being drawn on.
///
/// Some of the theme colors may have semi-transparent fill color. To compute
/// a legible text color for the sum when it shown on a background color, we
/// need to alpha merge it with background and we need the exact background
/// color it is drawn on for that. If not passed in from parent, it is
/// assumed to be drawn on card color, which usually is close enough.
final Color? onBackgroundColor;
// Return true if the color is light, meaning it needs dark text for contrast.
static bool _isLight(final Color color) =>
ThemeData.estimateBrightnessForColor(color) == Brightness.light;
// On color used when a theme color property does not have a theme onColor.
static Color _onColor(final Color color, final Color background) =>
_isLight(Color.alphaBlend(color, background))
? Colors.black
: Colors.white;
@override
Widget build(BuildContext context) {
final ThemeData theme = Theme.of(context);
final bool useMaterial3 = theme.useMaterial3;
// Grab the card border from the theme card shape
ShapeBorder? border = theme.cardTheme.shape;
// If we had one, copy in a border side to it.
if (border is RoundedRectangleBorder) {
border = border.copyWith(
side: BorderSide(
color: theme.dividerColor,
width: 1,
),
);
} else {
// If border was null, make one matching Card default, but with border
// side, if it was not null, we leave it as it was.
border ??= RoundedRectangleBorder(
borderRadius: BorderRadius.all(Radius.circular(useMaterial3 ? 12 : 4)),
side: BorderSide(
color: theme.dividerColor,
width: 1,
),
);
}
// Get effective background color.
final Color background =
onBackgroundColor ?? theme.cardTheme.color ?? theme.cardColor;
// Wrap this widget branch in a custom theme where card has a border outline
// if it did not have one, but retains in ambient themed border radius.
return Theme(
data: Theme.of(context).copyWith(
cardTheme: CardTheme.of(context).copyWith(
elevation: 0,
shape: border,
),
),
child: Column(
crossAxisAlignment: CrossAxisAlignment.start,
children: <Widget>[
Padding(
padding: const EdgeInsets.only(top: 8),
child: Text(
'ThemeData Colors',
style: theme.textTheme.titleMedium,
),
),
const SizedBox(height: 8),
Wrap(
spacing: 6,
runSpacing: 6,
crossAxisAlignment: WrapCrossAlignment.center,
children: <Widget>[
ColorCard(
label: 'Primary\nColor',
color: theme.primaryColor,
textColor: _onColor(theme.primaryColor, background),
),
ColorCard(
label: 'Primary\nDark',
color: theme.primaryColorDark,
textColor: _onColor(theme.primaryColorDark, background),
),
ColorCard(
label: 'Primary\nLight',
color: theme.primaryColorLight,
textColor: _onColor(theme.primaryColorLight, background),
),
ColorCard(
label: 'Secondary\nHeader',
color: theme.secondaryHeaderColor,
textColor: _onColor(theme.secondaryHeaderColor, background),
),
ColorCard(
label: 'Canvas',
color: theme.canvasColor,
textColor: _onColor(theme.canvasColor, background),
),
ColorCard(
label: 'Card',
color: theme.cardColor,
textColor: _onColor(theme.cardColor, background),
),
ColorCard(
label: 'Scaffold\nBackground',
color: theme.scaffoldBackgroundColor,
textColor: _onColor(theme.scaffoldBackgroundColor, background),
),
ColorCard(
label: 'Dialog',
color: theme.dialogBackgroundColor,
textColor: _onColor(theme.dialogBackgroundColor, background),
),
ColorCard(
label: 'Indicator\nColor',
color: theme.indicatorColor,
textColor: _onColor(theme.indicatorColor, background),
),
ColorCard(
label: 'Divider\nColor',
color: theme.dividerColor,
textColor: _onColor(theme.dividerColor, background),
),
ColorCard(
label: 'Disabled\nColor',
color: theme.disabledColor,
textColor: _onColor(theme.disabledColor, background),
),
ColorCard(
label: 'Hover\nColor',
color: theme.hoverColor,
textColor: _onColor(theme.hoverColor, background),
),
ColorCard(
label: 'Focus\nColor',
color: theme.focusColor,
textColor: _onColor(theme.focusColor, background),
),
ColorCard(
label: 'Highlight\nColor',
color: theme.highlightColor,
textColor: _onColor(theme.highlightColor, background),
),
ColorCard(
label: 'Splash\nColor',
color: theme.splashColor,
textColor: _onColor(theme.splashColor, background),
),
ColorCard(
label: 'Shadow\nColor',
color: theme.shadowColor,
textColor: _onColor(theme.shadowColor, background),
),
ColorCard(
label: 'Hint\nColor',
color: theme.hintColor,
textColor: _onColor(theme.hintColor, background),
),
ColorCard(
label: 'Unselected\nWidget',
color: theme.unselectedWidgetColor,
textColor: _onColor(theme.unselectedWidgetColor, background),
),
],
),
],
),
);
}
}
class ColorCard extends StatelessWidget {
const ColorCard({
super.key,
required this.label,
required this.color,
required this.textColor,
this.size,
});
final String label;
final Color color;
final Color textColor;
final Size? size;
@override
Widget build(BuildContext context) {
return SizedBox(
width: 86,
height: 58,
child: Card(
margin: EdgeInsets.zero,
clipBehavior: Clip.antiAlias,
color: color,
child: Center(
child: Text(
label,
style: TextStyle(color: textColor, fontSize: 11),
textAlign: TextAlign.center,
),
),
),
);
}
}
```
</details>
## Used Flutter Version
Channel master, 3.7.0-15.0.pre.16
<details>
<summary>Flutter doctor</summary>
```
[!] Flutter (Channel master, 3.7.0-15.0.pre.16, on macOS 13.0.1 22A400 darwin-arm64,
locale en-US)
• Flutter version 3.7.0-15.0.pre.16 on channel master at
• Upstream repository https://github.com/flutter/flutter.git
• Framework revision 7ddf42eae5 (20 hours ago), 2023-01-06 17:44:44 -0500
• Engine revision 33d7f8a1b3
• Dart version 3.0.0 (build 3.0.0-85.0.dev)
• DevTools version 2.20.0
• If those were intentional, you can disregard the above warnings; however it is
recommended to use "git" directly to perform update checks and upgrades.
[✓] Android toolchain - develop for Android devices (Android SDK version 33.0.0)
• Android SDK at /Users/rydmike/Library/Android/sdk
• Platform android-33, build-tools 33.0.0
• Java binary at: /Applications/Android
Studio.app/Contents/jre/Contents/Home/bin/java
• Java version OpenJDK Runtime Environment (build 11.0.13+0-b1751.21-8125866)
• All Android licenses accepted.
[✓] Xcode - develop for iOS and macOS (Xcode 14.2)
• Xcode at /Applications/Xcode.app/Contents/Developer
• Build 14C18
• CocoaPods version 1.11.3
[✓] Chrome - develop for the web
• Chrome at /Applications/Google Chrome.app/Contents/MacOS/Google Chrome
[✓] Android Studio (version 2021.3)
• Android Studio at /Applications/Android Studio.app/Contents
• Flutter plugin can be installed from:
🔨 https://plugins.jetbrains.com/plugin/9212-flutter
• Dart plugin can be installed from:
🔨 https://plugins.jetbrains.com/plugin/6351-dart
• Java version OpenJDK Runtime Environment (build 11.0.13+0-b1751.21-8125866)
[✓] IntelliJ IDEA Community Edition (version 2022.3.1)
• IntelliJ at /Applications/IntelliJ IDEA CE.app
• Flutter plugin version 71.2.6
• Dart plugin version 223.8214.16
[✓] VS Code (version 1.73.1)
• VS Code at /Applications/Visual Studio Code.app/Contents
• Flutter extension version 3.54.0
[✓] Connected device (2 available)
• macOS (desktop) • macos • darwin-arm64 • macOS 13.0.1 22A400 darwin-arm64
• Chrome (web) • chrome • web-javascript • Google Chrome 108.0.5359.124
[✓] HTTP Host Availability
• All required HTTP hosts are available
```
</details>
|
1.0
|
`BottomAppBar` does not match M3 spec - ## BottomAppBar Gets a Drop Shadow in M3
Based on the Material 3 specification the `BottomAppBar` should **not** have a drop shadow in Material 3 design. See specification https://m3.material.io/components/bottom-app-bar/specs.
The current Flutter M3 implementation creates a default `BottomAppBar` in Material 3 mode that has a drop shadow.
## Expected results
Expected no `Material` drop shadow on default `BottomAppBar` in Material 3 mode.

## Actual results
We get a default `BottomAppBar` in Material 3 mode with `Material` drop shadow.
| BottomAppBar in M3 LIGHT (FAIL) | BottomAppBar in M3 DARK (FAIL) |
|------|---------|
|||
## Proposal
The recently revised `Material` requires setting `shadowColor` to `Colors.transparent` to remove the default drop shadow in Material 3 mode. This is missing in current implementation, most likely forgotten to be added to this widget and theme when the change in `Material` M3 behavior was made.
The current default `BottomAppBarTheme` is:
```dart
class _BottomAppBarDefaultsM3 extends BottomAppBarTheme {
const _BottomAppBarDefaultsM3(this.context)
: super(
elevation: 3.0,
height: 80.0,
shape: const AutomaticNotchedShape(RoundedRectangleBorder()),
);
final BuildContext context;
@override
Color? get color => Theme.of(context).colorScheme.surface;
@override
Color? get surfaceTintColor => Theme.of(context).colorScheme.surfaceTint;
}
```
The `BottomAppBarTheme`, like `AppBarTheme` needs to have a `shadowColor` property that is set to `Colors.transparent` and then used by underlying `Material` to remove the shadow.
```dart
class _BottomAppBarDefaultsM3 extends BottomAppBarTheme {
const _BottomAppBarDefaultsM3(this.context)
: super(
elevation: 3.0,
height: 80.0,
shape: const AutomaticNotchedShape(RoundedRectangleBorder()),
);
final BuildContext context;
@override
Color? get color => Theme.of(context).colorScheme.surface;
@override
Color? get surfaceTintColor => Theme.of(context).colorScheme.surfaceTint;
// Needed new property and default to match M3 spec.
@override
Color? get shadowColor => Colors.transparent;
}
```
## Issue demo code
<details>
<summary>Code sample</summary>
```dart
// MIT License
//
// Copyright (c) 2023 Mike Rydstrom
//
// Permission is hereby granted, free of charge, to any person obtaining a copy
// of this software and associated documentation files (the "Software"), to deal
// in the Software without restriction, including without limitation the rights
// to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
// copies of the Software, and to permit persons to whom the Software is
// furnished to do so, subject to the following conditions:
//
// The above copyright notice and this permission notice shall be included in all
// copies or substantial portions of the Software.
//
// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
// IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
// FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
// AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
// LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
// OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
// SOFTWARE.
import 'package:flutter/material.dart';
enum ThemeType {
defaultFactory,
themeDataFrom,
themeDataColorSchemeSeed,
}
// A seed color for M3 ColorScheme.
const Color seedColor = Color(0xff386a20);
// Example themes
ThemeData demoTheme(Brightness mode, bool useMaterial3, ThemeType type) {
// Make an M3 ColorScheme.from seed
final ColorScheme scheme = ColorScheme.fromSeed(
brightness: mode,
seedColor: seedColor,
);
switch (type) {
case ThemeType.defaultFactory:
return ThemeData(
colorScheme: scheme,
useMaterial3: useMaterial3,
);
case ThemeType.themeDataFrom:
return ThemeData.from(
colorScheme: scheme,
useMaterial3: useMaterial3,
);
case ThemeType.themeDataColorSchemeSeed:
return ThemeData(
brightness: mode,
colorSchemeSeed: seedColor,
useMaterial3: useMaterial3,
);
}
}
void main() {
runApp(const IssueDemoApp());
}
class IssueDemoApp extends StatefulWidget {
const IssueDemoApp({super.key});
@override
State<IssueDemoApp> createState() => _IssueDemoAppState();
}
class _IssueDemoAppState extends State<IssueDemoApp> {
bool useMaterial3 = true;
ThemeMode themeMode = ThemeMode.light;
ThemeType themeType = ThemeType.themeDataFrom;
@override
Widget build(BuildContext context) {
return MaterialApp(
debugShowCheckedModeBanner: false,
themeMode: themeMode,
theme: demoTheme(Brightness.light, useMaterial3, themeType),
darkTheme: demoTheme(Brightness.dark, useMaterial3, themeType),
home: Scaffold(
appBar: AppBar(
title: const Text('BottomAppBar M3 Issue'),
actions: [
IconButton(
icon: useMaterial3
? const Icon(Icons.filter_3)
: const Icon(Icons.filter_2),
onPressed: () {
setState(() {
useMaterial3 = !useMaterial3;
});
},
tooltip: "Switch to Material ${useMaterial3 ? 2 : 3}",
),
IconButton(
icon: themeMode == ThemeMode.dark
? const Icon(Icons.wb_sunny_outlined)
: const Icon(Icons.wb_sunny),
onPressed: () {
setState(() {
if (themeMode == ThemeMode.light) {
themeMode = ThemeMode.dark;
} else {
themeMode = ThemeMode.light;
}
});
},
tooltip: "Toggle brightness",
),
Builder(builder: (context) {
return IconButton(
icon: const Icon(Icons.menu),
onPressed: () {
Scaffold.of(context).openEndDrawer();
},
);
}),
],
),
body: HomePage(
themeType: themeType,
onChanged: (ThemeType value) {
setState(() {
themeType = value;
});
},
),
drawer: const Drawer(
child: Center(child: Text('Drawer')),
),
endDrawer: const Drawer(
child: Center(child: Text('End Drawer')),
),
),
);
}
}
class HomePage extends StatelessWidget {
const HomePage({super.key, this.themeType, this.onChanged});
final ThemeType? themeType;
final ValueChanged<ThemeType>? onChanged;
@override
Widget build(BuildContext context) {
final ThemeData theme = Theme.of(context);
final String materialType =
theme.useMaterial3 ? "Material 3" : "Material 2";
return ListView(
padding: const EdgeInsets.symmetric(horizontal: 16),
children: [
const SizedBox(height: 8),
Text(
'Issue Demo - $materialType',
style: theme.textTheme.headlineSmall,
),
const SizedBox(height: 16),
ThemeTypeButtons(
themeType: themeType,
onChanged: onChanged,
),
const SizedBox(height: 16),
const Padding(
padding: EdgeInsets.all(32.0),
child: BottomAppBarShowcase(),
),
const ShowColorSchemeColors(),
const SizedBox(height: 16),
const ShowThemeDataColors(),
],
);
}
}
class ThemeTypeButtons extends StatelessWidget {
const ThemeTypeButtons({
super.key,
this.themeType,
this.onChanged,
});
final ThemeType? themeType;
final ValueChanged<ThemeType>? onChanged;
@override
Widget build(BuildContext context) {
final List<bool> isSelected = <bool>[
themeType == ThemeType.defaultFactory,
themeType == ThemeType.themeDataFrom,
themeType == ThemeType.themeDataColorSchemeSeed,
];
return ToggleButtons(
isSelected: isSelected,
onPressed: onChanged == null
? null
: (int newIndex) {
onChanged?.call(ThemeType.values[newIndex]);
},
children: const <Widget>[
Padding(
padding: EdgeInsets.symmetric(horizontal: 16.0),
child: Text('ThemeData'),
),
Padding(
padding: EdgeInsets.symmetric(horizontal: 16.0),
child: Text('ThemeData.from'),
),
Padding(
padding: EdgeInsets.symmetric(horizontal: 16.0),
child: Text('ThemeData(colorSchemeSeed)'),
),
],
);
}
}
class BottomAppBarShowcase extends StatelessWidget {
const BottomAppBarShowcase({super.key});
@override
Widget build(BuildContext context) {
return BottomAppBar(
child: Row(
children: <Widget>[
IconButton(
tooltip: 'Open navigation menu',
icon: const Icon(Icons.menu),
onPressed: () {},
),
const Spacer(),
IconButton(
tooltip: 'Search',
icon: const Icon(Icons.search),
onPressed: () {},
),
IconButton(
tooltip: 'Favorite',
icon: const Icon(Icons.favorite),
onPressed: () {},
),
],
),
);
}
}
/// Draw a number of boxes showing the colors of key theme color properties
/// in the ColorScheme of the inherited ThemeData and its color properties.
class ShowColorSchemeColors extends StatelessWidget {
const ShowColorSchemeColors({super.key, this.onBackgroundColor});
/// The color of the background the color widget are being drawn on.
///
/// Some of the theme colors may have semi transparent fill color. To compute
/// a legible text color for the sum when it shown on a background color, we
/// need to alpha merge it with background and we need the exact background
/// color it is drawn on for that. If not passed in from parent, it is
/// assumed to be drawn on card color, which usually is close enough.
final Color? onBackgroundColor;
// Return true if the color is light, meaning it needs dark text for contrast.
static bool _isLight(final Color color) =>
ThemeData.estimateBrightnessForColor(color) == Brightness.light;
// On color used when a theme color property does not have a theme onColor.
static Color _onColor(final Color color, final Color bg) =>
_isLight(Color.alphaBlend(color, bg)) ? Colors.black : Colors.white;
@override
Widget build(BuildContext context) {
final ThemeData theme = Theme.of(context);
final ColorScheme colorScheme = theme.colorScheme;
final bool useMaterial3 = theme.useMaterial3;
// Grab the card border from the theme card shape
ShapeBorder? border = theme.cardTheme.shape;
// If we had one, copy in a border side to it.
if (border is RoundedRectangleBorder) {
border = border.copyWith(
side: BorderSide(
color: theme.dividerColor,
width: 1,
),
);
// If
} else {
// If border was null, make one matching Card default, but with border
// side, if it was not null, we leave it as it was.
border ??= RoundedRectangleBorder(
borderRadius: BorderRadius.all(Radius.circular(useMaterial3 ? 12 : 4)),
side: BorderSide(
color: theme.dividerColor,
width: 1,
),
);
}
// Get effective background color.
final Color background =
onBackgroundColor ?? theme.cardTheme.color ?? theme.cardColor;
// Wrap this widget branch in a custom theme where card has a border outline
// if it did not have one, but retains in ambient themed border radius.
return Theme(
data: Theme.of(context).copyWith(
cardTheme: CardTheme.of(context).copyWith(
elevation: 0,
shape: border,
),
),
child: Column(
crossAxisAlignment: CrossAxisAlignment.start,
children: <Widget>[
Padding(
padding: const EdgeInsets.symmetric(vertical: 8),
child: Text(
'ColorScheme Colors',
style: theme.textTheme.titleMedium,
),
),
Wrap(
alignment: WrapAlignment.start,
crossAxisAlignment: WrapCrossAlignment.center,
spacing: 6,
runSpacing: 6,
children: <Widget>[
ColorCard(
label: 'Primary',
color: colorScheme.primary,
textColor: colorScheme.onPrimary,
),
ColorCard(
label: 'on\nPrimary',
color: colorScheme.onPrimary,
textColor: colorScheme.primary,
),
ColorCard(
label: 'Primary\nContainer',
color: colorScheme.primaryContainer,
textColor: colorScheme.onPrimaryContainer,
),
ColorCard(
label: 'onPrimary\nContainer',
color: colorScheme.onPrimaryContainer,
textColor: colorScheme.primaryContainer,
),
ColorCard(
label: 'Secondary',
color: colorScheme.secondary,
textColor: colorScheme.onSecondary,
),
ColorCard(
label: 'on\nSecondary',
color: colorScheme.onSecondary,
textColor: colorScheme.secondary,
),
ColorCard(
label: 'Secondary\nContainer',
color: colorScheme.secondaryContainer,
textColor: colorScheme.onSecondaryContainer,
),
ColorCard(
label: 'on\nSecondary\nContainer',
color: colorScheme.onSecondaryContainer,
textColor: colorScheme.secondaryContainer,
),
ColorCard(
label: 'Tertiary',
color: colorScheme.tertiary,
textColor: colorScheme.onTertiary,
),
ColorCard(
label: 'on\nTertiary',
color: colorScheme.onTertiary,
textColor: colorScheme.tertiary,
),
ColorCard(
label: 'Tertiary\nContainer',
color: colorScheme.tertiaryContainer,
textColor: colorScheme.onTertiaryContainer,
),
ColorCard(
label: 'on\nTertiary\nContainer',
color: colorScheme.onTertiaryContainer,
textColor: colorScheme.tertiaryContainer,
),
ColorCard(
label: 'Error',
color: colorScheme.error,
textColor: colorScheme.onError,
),
ColorCard(
label: 'on\nError',
color: colorScheme.onError,
textColor: colorScheme.error,
),
ColorCard(
label: 'Error\nContainer',
color: colorScheme.errorContainer,
textColor: colorScheme.onErrorContainer,
),
ColorCard(
label: 'onError\nContainer',
color: colorScheme.onErrorContainer,
textColor: colorScheme.errorContainer,
),
ColorCard(
label: 'Background',
color: colorScheme.background,
textColor: colorScheme.onBackground,
),
ColorCard(
label: 'on\nBackground',
color: colorScheme.onBackground,
textColor: colorScheme.background,
),
ColorCard(
label: 'Surface',
color: colorScheme.surface,
textColor: colorScheme.onSurface,
),
ColorCard(
label: 'on\nSurface',
color: colorScheme.onSurface,
textColor: colorScheme.surface,
),
ColorCard(
label: 'Surface\nVariant',
color: colorScheme.surfaceVariant,
textColor: colorScheme.onSurfaceVariant,
),
ColorCard(
label: 'onSurface\nVariant',
color: colorScheme.onSurfaceVariant,
textColor: colorScheme.surfaceVariant,
),
ColorCard(
label: 'Outline',
color: colorScheme.outline,
textColor: colorScheme.background,
),
ColorCard(
label: 'Outline\nVariant',
color: colorScheme.outlineVariant,
textColor: _onColor(colorScheme.outlineVariant, background),
),
ColorCard(
label: 'Shadow',
color: colorScheme.shadow,
textColor: _onColor(colorScheme.shadow, background),
),
ColorCard(
label: 'Scrim',
color: colorScheme.scrim,
textColor: _onColor(colorScheme.scrim, background),
),
ColorCard(
label: 'Inverse\nSurface',
color: colorScheme.inverseSurface,
textColor: colorScheme.onInverseSurface,
),
ColorCard(
label: 'onInverse\nSurface',
color: colorScheme.onInverseSurface,
textColor: colorScheme.inverseSurface,
),
ColorCard(
label: 'Inverse\nPrimary',
color: colorScheme.inversePrimary,
textColor: colorScheme.primary,
),
ColorCard(
label: 'Surface\nTint',
color: colorScheme.surfaceTint,
textColor: colorScheme.onPrimary,
),
],
),
],
),
);
}
}
/// Draw a number of boxes showing the colors of key theme color properties
/// in the ColorScheme of the inherited ThemeData and some of its key color
/// properties.
class ShowThemeDataColors extends StatelessWidget {
const ShowThemeDataColors({
super.key,
this.onBackgroundColor,
});
/// The color of the background the color widget are being drawn on.
///
/// Some of the theme colors may have semi-transparent fill color. To compute
/// a legible text color for the sum when it shown on a background color, we
/// need to alpha merge it with background and we need the exact background
/// color it is drawn on for that. If not passed in from parent, it is
/// assumed to be drawn on card color, which usually is close enough.
final Color? onBackgroundColor;
// Return true if the color is light, meaning it needs dark text for contrast.
static bool _isLight(final Color color) =>
ThemeData.estimateBrightnessForColor(color) == Brightness.light;
// On color used when a theme color property does not have a theme onColor.
static Color _onColor(final Color color, final Color background) =>
_isLight(Color.alphaBlend(color, background))
? Colors.black
: Colors.white;
@override
Widget build(BuildContext context) {
final ThemeData theme = Theme.of(context);
final bool useMaterial3 = theme.useMaterial3;
// Grab the card border from the theme card shape
ShapeBorder? border = theme.cardTheme.shape;
// If we had one, copy in a border side to it.
if (border is RoundedRectangleBorder) {
border = border.copyWith(
side: BorderSide(
color: theme.dividerColor,
width: 1,
),
);
} else {
// If border was null, make one matching Card default, but with border
// side, if it was not null, we leave it as it was.
border ??= RoundedRectangleBorder(
borderRadius: BorderRadius.all(Radius.circular(useMaterial3 ? 12 : 4)),
side: BorderSide(
color: theme.dividerColor,
width: 1,
),
);
}
// Get effective background color.
final Color background =
onBackgroundColor ?? theme.cardTheme.color ?? theme.cardColor;
// Wrap this widget branch in a custom theme where card has a border outline
// if it did not have one, but retains in ambient themed border radius.
return Theme(
data: Theme.of(context).copyWith(
cardTheme: CardTheme.of(context).copyWith(
elevation: 0,
shape: border,
),
),
child: Column(
crossAxisAlignment: CrossAxisAlignment.start,
children: <Widget>[
Padding(
padding: const EdgeInsets.only(top: 8),
child: Text(
'ThemeData Colors',
style: theme.textTheme.titleMedium,
),
),
const SizedBox(height: 8),
Wrap(
spacing: 6,
runSpacing: 6,
crossAxisAlignment: WrapCrossAlignment.center,
children: <Widget>[
ColorCard(
label: 'Primary\nColor',
color: theme.primaryColor,
textColor: _onColor(theme.primaryColor, background),
),
ColorCard(
label: 'Primary\nDark',
color: theme.primaryColorDark,
textColor: _onColor(theme.primaryColorDark, background),
),
ColorCard(
label: 'Primary\nLight',
color: theme.primaryColorLight,
textColor: _onColor(theme.primaryColorLight, background),
),
ColorCard(
label: 'Secondary\nHeader',
color: theme.secondaryHeaderColor,
textColor: _onColor(theme.secondaryHeaderColor, background),
),
ColorCard(
label: 'Canvas',
color: theme.canvasColor,
textColor: _onColor(theme.canvasColor, background),
),
ColorCard(
label: 'Card',
color: theme.cardColor,
textColor: _onColor(theme.cardColor, background),
),
ColorCard(
label: 'Scaffold\nBackground',
color: theme.scaffoldBackgroundColor,
textColor: _onColor(theme.scaffoldBackgroundColor, background),
),
ColorCard(
label: 'Dialog',
color: theme.dialogBackgroundColor,
textColor: _onColor(theme.dialogBackgroundColor, background),
),
ColorCard(
label: 'Indicator\nColor',
color: theme.indicatorColor,
textColor: _onColor(theme.indicatorColor, background),
),
ColorCard(
label: 'Divider\nColor',
color: theme.dividerColor,
textColor: _onColor(theme.dividerColor, background),
),
ColorCard(
label: 'Disabled\nColor',
color: theme.disabledColor,
textColor: _onColor(theme.disabledColor, background),
),
ColorCard(
label: 'Hover\nColor',
color: theme.hoverColor,
textColor: _onColor(theme.hoverColor, background),
),
ColorCard(
label: 'Focus\nColor',
color: theme.focusColor,
textColor: _onColor(theme.focusColor, background),
),
ColorCard(
label: 'Highlight\nColor',
color: theme.highlightColor,
textColor: _onColor(theme.highlightColor, background),
),
ColorCard(
label: 'Splash\nColor',
color: theme.splashColor,
textColor: _onColor(theme.splashColor, background),
),
ColorCard(
label: 'Shadow\nColor',
color: theme.shadowColor,
textColor: _onColor(theme.shadowColor, background),
),
ColorCard(
label: 'Hint\nColor',
color: theme.hintColor,
textColor: _onColor(theme.hintColor, background),
),
ColorCard(
label: 'Unselected\nWidget',
color: theme.unselectedWidgetColor,
textColor: _onColor(theme.unselectedWidgetColor, background),
),
],
),
],
),
);
}
}
class ColorCard extends StatelessWidget {
const ColorCard({
super.key,
required this.label,
required this.color,
required this.textColor,
this.size,
});
final String label;
final Color color;
final Color textColor;
final Size? size;
@override
Widget build(BuildContext context) {
return SizedBox(
width: 86,
height: 58,
child: Card(
margin: EdgeInsets.zero,
clipBehavior: Clip.antiAlias,
color: color,
child: Center(
child: Text(
label,
style: TextStyle(color: textColor, fontSize: 11),
textAlign: TextAlign.center,
),
),
),
);
}
}
```
</details>
## Used Flutter Version
Channel master, 3.7.0-15.0.pre.16
<details>
<summary>Flutter doctor</summary>
```
[!] Flutter (Channel master, 3.7.0-15.0.pre.16, on macOS 13.0.1 22A400 darwin-arm64,
locale en-US)
• Flutter version 3.7.0-15.0.pre.16 on channel master at
• Upstream repository https://github.com/flutter/flutter.git
• Framework revision 7ddf42eae5 (20 hours ago), 2023-01-06 17:44:44 -0500
• Engine revision 33d7f8a1b3
• Dart version 3.0.0 (build 3.0.0-85.0.dev)
• DevTools version 2.20.0
• If those were intentional, you can disregard the above warnings; however it is
recommended to use "git" directly to perform update checks and upgrades.
[✓] Android toolchain - develop for Android devices (Android SDK version 33.0.0)
• Android SDK at /Users/rydmike/Library/Android/sdk
• Platform android-33, build-tools 33.0.0
• Java binary at: /Applications/Android
Studio.app/Contents/jre/Contents/Home/bin/java
• Java version OpenJDK Runtime Environment (build 11.0.13+0-b1751.21-8125866)
• All Android licenses accepted.
[✓] Xcode - develop for iOS and macOS (Xcode 14.2)
• Xcode at /Applications/Xcode.app/Contents/Developer
• Build 14C18
• CocoaPods version 1.11.3
[✓] Chrome - develop for the web
• Chrome at /Applications/Google Chrome.app/Contents/MacOS/Google Chrome
[✓] Android Studio (version 2021.3)
• Android Studio at /Applications/Android Studio.app/Contents
• Flutter plugin can be installed from:
🔨 https://plugins.jetbrains.com/plugin/9212-flutter
• Dart plugin can be installed from:
🔨 https://plugins.jetbrains.com/plugin/6351-dart
• Java version OpenJDK Runtime Environment (build 11.0.13+0-b1751.21-8125866)
[✓] IntelliJ IDEA Community Edition (version 2022.3.1)
• IntelliJ at /Applications/IntelliJ IDEA CE.app
• Flutter plugin version 71.2.6
• Dart plugin version 223.8214.16
[✓] VS Code (version 1.73.1)
• VS Code at /Applications/Visual Studio Code.app/Contents
• Flutter extension version 3.54.0
[✓] Connected device (2 available)
• macOS (desktop) • macos • darwin-arm64 • macOS 13.0.1 22A400 darwin-arm64
• Chrome (web) • chrome • web-javascript • Google Chrome 108.0.5359.124
[✓] HTTP Host Availability
• All required HTTP hosts are available
```
</details>
|
non_usab
|
bottomappbar does not match spec bottomappbar gets a drop shadow in based on the material specification the bottomappbar should not have a drop shadow in material design see specification the current flutter implementation creates a default bottomappbar in material mode that has a drop shadow expected results expected no material drop shadow on default bottomappbar in material mode actual results we get a default bottomappbar in material mode with material drop shadow bottomappbar in light fail bottomappbar in dark fail proposal the recently revised material requires setting shadowcolor to colors transparent to remove the default drop shadow in material mode this is missing in current implementation most likely forgotten to be added to this widget and theme when the change in material behavior was made the current default bottomappbartheme is dart class extends bottomappbartheme const this context super elevation height shape const automaticnotchedshape roundedrectangleborder final buildcontext context override color get color theme of context colorscheme surface override color get surfacetintcolor theme of context colorscheme surfacetint the bottomappbartheme like appbartheme needs to have a shadowcolor property that is set to colors transparent and then used by underlying material to remove the shadow dart class extends bottomappbartheme const this context super elevation height shape const automaticnotchedshape roundedrectangleborder final buildcontext context override color get color theme of context colorscheme surface override color get surfacetintcolor theme of context colorscheme surfacetint needed new property and default to match spec override color get shadowcolor colors transparent issue demo code code sample dart mit license copyright c mike rydstrom permission is hereby granted free of charge to any person obtaining a copy of this software and associated documentation files the software to deal in the software without restriction including without limitation the rights to use copy modify merge publish distribute sublicense and or sell copies of the software and to permit persons to whom the software is furnished to do so subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided as is without warranty of any kind express or implied including but not limited to the warranties of merchantability fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim damages or other liability whether in an action of contract tort or otherwise arising from out of or in connection with the software or the use or other dealings in the software import package flutter material dart enum themetype defaultfactory themedatafrom themedatacolorschemeseed a seed color for colorscheme const color seedcolor color example themes themedata demotheme brightness mode bool themetype type make an colorscheme from seed final colorscheme scheme colorscheme fromseed brightness mode seedcolor seedcolor switch type case themetype defaultfactory return themedata colorscheme scheme case themetype themedatafrom return themedata from colorscheme scheme case themetype themedatacolorschemeseed return themedata brightness mode colorschemeseed seedcolor void main runapp const issuedemoapp class issuedemoapp extends statefulwidget const issuedemoapp super key override state createstate issuedemoappstate class issuedemoappstate extends state bool true thememode thememode thememode light themetype themetype themetype themedatafrom override widget build buildcontext context return materialapp debugshowcheckedmodebanner false thememode thememode theme demotheme brightness light themetype darktheme demotheme brightness dark themetype home scaffold appbar appbar title const text bottomappbar issue actions iconbutton icon const icon icons filter const icon icons filter onpressed setstate tooltip switch to material iconbutton icon thememode thememode dark const icon icons wb sunny outlined const icon icons wb sunny onpressed setstate if thememode thememode light thememode thememode dark else thememode thememode light tooltip toggle brightness builder builder context return iconbutton icon const icon icons menu onpressed scaffold of context openenddrawer body homepage themetype themetype onchanged themetype value setstate themetype value drawer const drawer child center child text drawer enddrawer const drawer child center child text end drawer class homepage extends statelesswidget const homepage super key this themetype this onchanged final themetype themetype final valuechanged onchanged override widget build buildcontext context final themedata theme theme of context final string materialtype theme material material return listview padding const edgeinsets symmetric horizontal children const sizedbox height text issue demo materialtype style theme texttheme headlinesmall const sizedbox height themetypebuttons themetype themetype onchanged onchanged const sizedbox height const padding padding edgeinsets all child bottomappbarshowcase const showcolorschemecolors const sizedbox height const showthemedatacolors class themetypebuttons extends statelesswidget const themetypebuttons super key this themetype this onchanged final themetype themetype final valuechanged onchanged override widget build buildcontext context final list isselected themetype themetype defaultfactory themetype themetype themedatafrom themetype themetype themedatacolorschemeseed return togglebuttons isselected isselected onpressed onchanged null null int newindex onchanged call themetype values children const padding padding edgeinsets symmetric horizontal child text themedata padding padding edgeinsets symmetric horizontal child text themedata from padding padding edgeinsets symmetric horizontal child text themedata colorschemeseed class bottomappbarshowcase extends statelesswidget const bottomappbarshowcase super key override widget build buildcontext context return bottomappbar child row children iconbutton tooltip open navigation menu icon const icon icons menu onpressed const spacer iconbutton tooltip search icon const icon icons search onpressed iconbutton tooltip favorite icon const icon icons favorite onpressed draw a number of boxes showing the colors of key theme color properties in the colorscheme of the inherited themedata and its color properties class showcolorschemecolors extends statelesswidget const showcolorschemecolors super key this onbackgroundcolor the color of the background the color widget are being drawn on some of the theme colors may have semi transparent fill color to compute a legible text color for the sum when it shown on a background color we need to alpha merge it with background and we need the exact background color it is drawn on for that if not passed in from parent it is assumed to be drawn on card color which usually is close enough final color onbackgroundcolor return true if the color is light meaning it needs dark text for contrast static bool islight final color color themedata estimatebrightnessforcolor color brightness light on color used when a theme color property does not have a theme oncolor static color oncolor final color color final color bg islight color alphablend color bg colors black colors white override widget build buildcontext context final themedata theme theme of context final colorscheme colorscheme theme colorscheme final bool theme grab the card border from the theme card shape shapeborder border theme cardtheme shape if we had one copy in a border side to it if border is roundedrectangleborder border border copywith side borderside color theme dividercolor width if else if border was null make one matching card default but with border side if it was not null we leave it as it was border roundedrectangleborder borderradius borderradius all radius circular side borderside color theme dividercolor width get effective background color final color background onbackgroundcolor theme cardtheme color theme cardcolor wrap this widget branch in a custom theme where card has a border outline if it did not have one but retains in ambient themed border radius return theme data theme of context copywith cardtheme cardtheme of context copywith elevation shape border child column crossaxisalignment crossaxisalignment start children padding padding const edgeinsets symmetric vertical child text colorscheme colors style theme texttheme titlemedium wrap alignment wrapalignment start crossaxisalignment wrapcrossalignment center spacing runspacing children colorcard label primary color colorscheme primary textcolor colorscheme onprimary colorcard label on nprimary color colorscheme onprimary textcolor colorscheme primary colorcard label primary ncontainer color colorscheme primarycontainer textcolor colorscheme onprimarycontainer colorcard label onprimary ncontainer color colorscheme onprimarycontainer textcolor colorscheme primarycontainer colorcard label secondary color colorscheme secondary textcolor colorscheme onsecondary colorcard label on nsecondary color colorscheme onsecondary textcolor colorscheme secondary colorcard label secondary ncontainer color colorscheme secondarycontainer textcolor colorscheme onsecondarycontainer colorcard label on nsecondary ncontainer color colorscheme onsecondarycontainer textcolor colorscheme secondarycontainer colorcard label tertiary color colorscheme tertiary textcolor colorscheme ontertiary colorcard label on ntertiary color colorscheme ontertiary textcolor colorscheme tertiary colorcard label tertiary ncontainer color colorscheme tertiarycontainer textcolor colorscheme ontertiarycontainer colorcard label on ntertiary ncontainer color colorscheme ontertiarycontainer textcolor colorscheme tertiarycontainer colorcard label error color colorscheme error textcolor colorscheme onerror colorcard label on nerror color colorscheme onerror textcolor colorscheme error colorcard label error ncontainer color colorscheme errorcontainer textcolor colorscheme onerrorcontainer colorcard label onerror ncontainer color colorscheme onerrorcontainer textcolor colorscheme errorcontainer colorcard label background color colorscheme background textcolor colorscheme onbackground colorcard label on nbackground color colorscheme onbackground textcolor colorscheme background colorcard label surface color colorscheme surface textcolor colorscheme onsurface colorcard label on nsurface color colorscheme onsurface textcolor colorscheme surface colorcard label surface nvariant color colorscheme surfacevariant textcolor colorscheme onsurfacevariant colorcard label onsurface nvariant color colorscheme onsurfacevariant textcolor colorscheme surfacevariant colorcard label outline color colorscheme outline textcolor colorscheme background colorcard label outline nvariant color colorscheme outlinevariant textcolor oncolor colorscheme outlinevariant background colorcard label shadow color colorscheme shadow textcolor oncolor colorscheme shadow background colorcard label scrim color colorscheme scrim textcolor oncolor colorscheme scrim background colorcard label inverse nsurface color colorscheme inversesurface textcolor colorscheme oninversesurface colorcard label oninverse nsurface color colorscheme oninversesurface textcolor colorscheme inversesurface colorcard label inverse nprimary color colorscheme inverseprimary textcolor colorscheme primary colorcard label surface ntint color colorscheme surfacetint textcolor colorscheme onprimary draw a number of boxes showing the colors of key theme color properties in the colorscheme of the inherited themedata and some of its key color properties class showthemedatacolors extends statelesswidget const showthemedatacolors super key this onbackgroundcolor the color of the background the color widget are being drawn on some of the theme colors may have semi transparent fill color to compute a legible text color for the sum when it shown on a background color we need to alpha merge it with background and we need the exact background color it is drawn on for that if not passed in from parent it is assumed to be drawn on card color which usually is close enough final color onbackgroundcolor return true if the color is light meaning it needs dark text for contrast static bool islight final color color themedata estimatebrightnessforcolor color brightness light on color used when a theme color property does not have a theme oncolor static color oncolor final color color final color background islight color alphablend color background colors black colors white override widget build buildcontext context final themedata theme theme of context final bool theme grab the card border from the theme card shape shapeborder border theme cardtheme shape if we had one copy in a border side to it if border is roundedrectangleborder border border copywith side borderside color theme dividercolor width else if border was null make one matching card default but with border side if it was not null we leave it as it was border roundedrectangleborder borderradius borderradius all radius circular side borderside color theme dividercolor width get effective background color final color background onbackgroundcolor theme cardtheme color theme cardcolor wrap this widget branch in a custom theme where card has a border outline if it did not have one but retains in ambient themed border radius return theme data theme of context copywith cardtheme cardtheme of context copywith elevation shape border child column crossaxisalignment crossaxisalignment start children padding padding const edgeinsets only top child text themedata colors style theme texttheme titlemedium const sizedbox height wrap spacing runspacing crossaxisalignment wrapcrossalignment center children colorcard label primary ncolor color theme primarycolor textcolor oncolor theme primarycolor background colorcard label primary ndark color theme primarycolordark textcolor oncolor theme primarycolordark background colorcard label primary nlight color theme primarycolorlight textcolor oncolor theme primarycolorlight background colorcard label secondary nheader color theme secondaryheadercolor textcolor oncolor theme secondaryheadercolor background colorcard label canvas color theme canvascolor textcolor oncolor theme canvascolor background colorcard label card color theme cardcolor textcolor oncolor theme cardcolor background colorcard label scaffold nbackground color theme scaffoldbackgroundcolor textcolor oncolor theme scaffoldbackgroundcolor background colorcard label dialog color theme dialogbackgroundcolor textcolor oncolor theme dialogbackgroundcolor background colorcard label indicator ncolor color theme indicatorcolor textcolor oncolor theme indicatorcolor background colorcard label divider ncolor color theme dividercolor textcolor oncolor theme dividercolor background colorcard label disabled ncolor color theme disabledcolor textcolor oncolor theme disabledcolor background colorcard label hover ncolor color theme hovercolor textcolor oncolor theme hovercolor background colorcard label focus ncolor color theme focuscolor textcolor oncolor theme focuscolor background colorcard label highlight ncolor color theme highlightcolor textcolor oncolor theme highlightcolor background colorcard label splash ncolor color theme splashcolor textcolor oncolor theme splashcolor background colorcard label shadow ncolor color theme shadowcolor textcolor oncolor theme shadowcolor background colorcard label hint ncolor color theme hintcolor textcolor oncolor theme hintcolor background colorcard label unselected nwidget color theme unselectedwidgetcolor textcolor oncolor theme unselectedwidgetcolor background class colorcard extends statelesswidget const colorcard super key required this label required this color required this textcolor this size final string label final color color final color textcolor final size size override widget build buildcontext context return sizedbox width height child card margin edgeinsets zero clipbehavior clip antialias color color child center child text label style textstyle color textcolor fontsize textalign textalign center used flutter version channel master pre flutter doctor flutter channel master pre on macos darwin locale en us • flutter version pre on channel master at • upstream repository • framework revision hours ago • engine revision • dart version build dev • devtools version • if those were intentional you can disregard the above warnings however it is recommended to use git directly to perform update checks and upgrades android toolchain develop for android devices android sdk version • android sdk at users rydmike library android sdk • platform android build tools • java binary at applications android studio app contents jre contents home bin java • java version openjdk runtime environment build • all android licenses accepted xcode develop for ios and macos xcode • xcode at applications xcode app contents developer • build • cocoapods version chrome develop for the web • chrome at applications google chrome app contents macos google chrome android studio version • android studio at applications android studio app contents • flutter plugin can be installed from 🔨 • dart plugin can be installed from 🔨 • java version openjdk runtime environment build intellij idea community edition version • intellij at applications intellij idea ce app • flutter plugin version • dart plugin version vs code version • vs code at applications visual studio code app contents • flutter extension version connected device available • macos desktop • macos • darwin • macos darwin • chrome web • chrome • web javascript • google chrome http host availability • all required http hosts are available
| 0
|
13,442
| 8,468,962,030
|
IssuesEvent
|
2018-10-23 21:16:00
|
JuliaReach/Reachability.jl
|
https://api.github.com/repos/JuliaReach/Reachability.jl
|
closed
|
Wrap Options around pairs
|
fix usability
|
```julia
# specify lazy discrete post operator
sol = solve(system, options, Reachability.BFFPSV18(),
Reachability.ReachSets.LazyTextbookDiscretePost(:lazy_R⋂I=>false));
MethodError: Cannot `convert` an object of type Pair{Symbol,Bool} to an object of type Reachability.Options
This may have arisen from a call to the constructor Reachability.Options(...),
since type constructors fall back to convert methods.
```
|
True
|
Wrap Options around pairs - ```julia
# specify lazy discrete post operator
sol = solve(system, options, Reachability.BFFPSV18(),
Reachability.ReachSets.LazyTextbookDiscretePost(:lazy_R⋂I=>false));
MethodError: Cannot `convert` an object of type Pair{Symbol,Bool} to an object of type Reachability.Options
This may have arisen from a call to the constructor Reachability.Options(...),
since type constructors fall back to convert methods.
```
|
usab
|
wrap options around pairs julia specify lazy discrete post operator sol solve system options reachability reachability reachsets lazytextbookdiscretepost lazy r⋂i false methoderror cannot convert an object of type pair symbol bool to an object of type reachability options this may have arisen from a call to the constructor reachability options since type constructors fall back to convert methods
| 1
|
26,944
| 27,396,829,364
|
IssuesEvent
|
2023-02-28 20:25:31
|
cosmos/ibc-rs
|
https://api.github.com/repos/cosmos/ibc-rs
|
closed
|
Remove `Send + Sync` requirement on `Module` trait
|
O: usability
|
I believe historically that we put `Send + Sync` as a convenience to facilitate [implementing the `tendermint_abci::Application` trait](https://docs.rs/tendermint-abci/0.29.1/tendermint_abci/trait.Application.html) in basecoin-rs.
However, it is not strictly necessary, and is a blocker for Namada, whose transfer module [contains a `RefCell`](https://github.com/anoma/namada/blob/565f985bd31cf51f76261cafdf45b3837fad76ce/shared/src/ledger/native_vp/mod.rs#L65).
|
True
|
Remove `Send + Sync` requirement on `Module` trait - I believe historically that we put `Send + Sync` as a convenience to facilitate [implementing the `tendermint_abci::Application` trait](https://docs.rs/tendermint-abci/0.29.1/tendermint_abci/trait.Application.html) in basecoin-rs.
However, it is not strictly necessary, and is a blocker for Namada, whose transfer module [contains a `RefCell`](https://github.com/anoma/namada/blob/565f985bd31cf51f76261cafdf45b3837fad76ce/shared/src/ledger/native_vp/mod.rs#L65).
|
usab
|
remove send sync requirement on module trait i believe historically that we put send sync as a convenience to facilitate in basecoin rs however it is not strictly necessary and is a blocker for namada whose transfer module
| 1
|
165,705
| 12,879,868,129
|
IssuesEvent
|
2020-07-12 01:25:29
|
osquery/osquery
|
https://api.github.com/repos/osquery/osquery
|
closed
|
Create tests for the table `powershell_events`
|
Windows good-first-issue table test
|
## Create tests for the table `powershell_events`
- Create header file for the table implementation, if one is not exists.
- In test, query the table and check if retrieved columns (name and types) match the columns from table spec.
- If there is any guarantee to number of rows (e.g. only 1 record in every query result, more than 3 records or something else) check it.
- Test the implementation details of the table, if it possible.
Table spec: `specs/windows/powershell_events.table`
Source files:
- `powershell_events.cpp`
Table generating function: `PowershellEventSubscriber::genTable()`
|
1.0
|
Create tests for the table `powershell_events` - ## Create tests for the table `powershell_events`
- Create header file for the table implementation, if one is not exists.
- In test, query the table and check if retrieved columns (name and types) match the columns from table spec.
- If there is any guarantee to number of rows (e.g. only 1 record in every query result, more than 3 records or something else) check it.
- Test the implementation details of the table, if it possible.
Table spec: `specs/windows/powershell_events.table`
Source files:
- `powershell_events.cpp`
Table generating function: `PowershellEventSubscriber::genTable()`
|
non_usab
|
create tests for the table powershell events create tests for the table powershell events create header file for the table implementation if one is not exists in test query the table and check if retrieved columns name and types match the columns from table spec if there is any guarantee to number of rows e g only record in every query result more than records or something else check it test the implementation details of the table if it possible table spec specs windows powershell events table source files powershell events cpp table generating function powershelleventsubscriber gentable
| 0
|
24,704
| 4,106,326,753
|
IssuesEvent
|
2016-06-06 08:17:57
|
cjlee112/socraticqs2
|
https://api.github.com/repos/cjlee112/socraticqs2
|
reopened
|
[Bug] No system messages
|
enhancement testme
|
**Steps:**
Go to https://staging.courselets.org/ct/courses/ ( admin / testonly )
Go to "Enrolled courses"
Click on any Course
Go to Any Courselet
Go to "Lessons" imput, and click on any Lesson
Go to "Error" imput
In "Search" field enter name of Not existing Lesson in CourseletDB
Click "Search" button
**Actual result:** no system message appears http://prntscr.com/aa85ja
**Expected result:** Instructor is able to See System Messages that reflect the result validation process
|
1.0
|
[Bug] No system messages - **Steps:**
Go to https://staging.courselets.org/ct/courses/ ( admin / testonly )
Go to "Enrolled courses"
Click on any Course
Go to Any Courselet
Go to "Lessons" imput, and click on any Lesson
Go to "Error" imput
In "Search" field enter name of Not existing Lesson in CourseletDB
Click "Search" button
**Actual result:** no system message appears http://prntscr.com/aa85ja
**Expected result:** Instructor is able to See System Messages that reflect the result validation process
|
non_usab
|
no system messages steps go to admin testonly go to enrolled courses click on any course go to any courselet go to lessons imput and click on any lesson go to error imput in search field enter name of not existing lesson in courseletdb click search button actual result no system message appears expected result instructor is able to see system messages that reflect the result validation process
| 0
|
31,823
| 12,025,731,798
|
IssuesEvent
|
2020-04-12 10:47:12
|
nycbeardo/nycbeardo.github.io
|
https://api.github.com/repos/nycbeardo/nycbeardo.github.io
|
closed
|
CVE-2019-10746 (High) detected in mixin-deep-1.3.1.tgz
|
security vulnerability
|
## CVE-2019-10746 - High Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>mixin-deep-1.3.1.tgz</b></p></summary>
<p>Deeply mix the properties of objects into the first object. Like merge-deep, but doesn't clone.</p>
<p>Library home page: <a href="https://registry.npmjs.org/mixin-deep/-/mixin-deep-1.3.1.tgz">https://registry.npmjs.org/mixin-deep/-/mixin-deep-1.3.1.tgz</a></p>
<p>Path to dependency file: /nycbeardo.github.io/resume/package.json</p>
<p>Path to vulnerable library: /tmp/git/nycbeardo.github.io/resume/node_modules/mixin-deep/package.json</p>
<p>
Dependency Hierarchy:
- react-scripts-2.1.3.tgz (Root Library)
- fork-ts-checker-webpack-plugin-alt-0.4.14.tgz
- micromatch-3.1.10.tgz
- snapdragon-0.8.2.tgz
- base-0.11.2.tgz
- :x: **mixin-deep-1.3.1.tgz** (Vulnerable Library)
<p>Found in HEAD commit: <a href="https://github.com/nycbeardo/nycbeardo.github.io/commit/f442a16efe2edb7b041328938526af600bc0b9e7">f442a16efe2edb7b041328938526af600bc0b9e7</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>
mixin-deep before 1.3.2 is vulnerable to Prototype Pollution.
<p>Publish Date: 2019-07-11
<p>URL: <a href=https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2019-10746>CVE-2019-10746</a></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 2 Score Details (<b>7.5</b>)</summary>
<p>
Base Score Metrics not available</p>
</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://github.com/jonschlinkert/mixin-deep/commit/8f464c8ce9761a8c9c2b3457eaeee9d404fa7af9">https://github.com/jonschlinkert/mixin-deep/commit/8f464c8ce9761a8c9c2b3457eaeee9d404fa7af9</a></p>
<p>Release Date: 2019-07-11</p>
<p>Fix Resolution: 1.3.2</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-2019-10746 (High) detected in mixin-deep-1.3.1.tgz - ## CVE-2019-10746 - High Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>mixin-deep-1.3.1.tgz</b></p></summary>
<p>Deeply mix the properties of objects into the first object. Like merge-deep, but doesn't clone.</p>
<p>Library home page: <a href="https://registry.npmjs.org/mixin-deep/-/mixin-deep-1.3.1.tgz">https://registry.npmjs.org/mixin-deep/-/mixin-deep-1.3.1.tgz</a></p>
<p>Path to dependency file: /nycbeardo.github.io/resume/package.json</p>
<p>Path to vulnerable library: /tmp/git/nycbeardo.github.io/resume/node_modules/mixin-deep/package.json</p>
<p>
Dependency Hierarchy:
- react-scripts-2.1.3.tgz (Root Library)
- fork-ts-checker-webpack-plugin-alt-0.4.14.tgz
- micromatch-3.1.10.tgz
- snapdragon-0.8.2.tgz
- base-0.11.2.tgz
- :x: **mixin-deep-1.3.1.tgz** (Vulnerable Library)
<p>Found in HEAD commit: <a href="https://github.com/nycbeardo/nycbeardo.github.io/commit/f442a16efe2edb7b041328938526af600bc0b9e7">f442a16efe2edb7b041328938526af600bc0b9e7</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>
mixin-deep before 1.3.2 is vulnerable to Prototype Pollution.
<p>Publish Date: 2019-07-11
<p>URL: <a href=https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2019-10746>CVE-2019-10746</a></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 2 Score Details (<b>7.5</b>)</summary>
<p>
Base Score Metrics not available</p>
</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://github.com/jonschlinkert/mixin-deep/commit/8f464c8ce9761a8c9c2b3457eaeee9d404fa7af9">https://github.com/jonschlinkert/mixin-deep/commit/8f464c8ce9761a8c9c2b3457eaeee9d404fa7af9</a></p>
<p>Release Date: 2019-07-11</p>
<p>Fix Resolution: 1.3.2</p>
</p>
</details>
<p></p>
***
Step up your Open Source Security Game with WhiteSource [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
|
non_usab
|
cve high detected in mixin deep tgz cve high severity vulnerability vulnerable library mixin deep tgz deeply mix the properties of objects into the first object like merge deep but doesn t clone library home page a href path to dependency file nycbeardo github io resume package json path to vulnerable library tmp git nycbeardo github io resume node modules mixin deep package json dependency hierarchy react scripts tgz root library fork ts checker webpack plugin alt tgz micromatch tgz snapdragon tgz base tgz x mixin deep tgz vulnerable library found in head commit a href vulnerability details mixin deep before is vulnerable to prototype pollution publish date url a href cvss score details base score metrics not available suggested fix type upgrade version origin a href release date fix resolution step up your open source security game with whitesource
| 0
|
5,662
| 3,974,617,085
|
IssuesEvent
|
2016-05-04 23:01:36
|
lionheart/openradar-mirror
|
https://api.github.com/repos/lionheart/openradar-mirror
|
opened
|
26099290: Tapping keyboard 'Go' button to submit a web form bypasses universal links
|
classification:ui/usability reproducible:always status:open
|
#### Description
Summary:
In Safari, visit a web form where the submit action posts to a path that would trigger a universal link into some app. Tapping the submit button on the form will deep link the user into the app, but tapping the keyboard 'Go' button instead opens the destination in Safari.
Steps to Reproduce:
Suppose you have a form like:
<form action="https://twitter.com/twitter">
<input type="text">
<button type="submit">
</form>
and that you also have the Twitter app installed
1. Visit the page with this form in mobile Safari
2. Tap the submit button
-> The Twitter app opens
3. Go back to the web page and bring up the software keyboard
4. Tap the Go button
-> Twitter opens in mobile Safari
Expected Results:
The 'Go' button submission of a form should also handle the universal link if tapping the submit button does so. Both should bring up the Twitter app.
Actual Results:
The 'Go' button bypasses universal link handling. The destination is opened in mobile Safari instead.
Version:
iOS 9.3.1 (13E238)
Notes:
Configuration:
iPhone 6s+
-
Product Version: 9.3.1
Created: 2016-05-04T22:01:34.358330
Originated: 2016-05-04T00:00:00
Open Radar Link: http://www.openradar.me/26099290
|
True
|
26099290: Tapping keyboard 'Go' button to submit a web form bypasses universal links - #### Description
Summary:
In Safari, visit a web form where the submit action posts to a path that would trigger a universal link into some app. Tapping the submit button on the form will deep link the user into the app, but tapping the keyboard 'Go' button instead opens the destination in Safari.
Steps to Reproduce:
Suppose you have a form like:
<form action="https://twitter.com/twitter">
<input type="text">
<button type="submit">
</form>
and that you also have the Twitter app installed
1. Visit the page with this form in mobile Safari
2. Tap the submit button
-> The Twitter app opens
3. Go back to the web page and bring up the software keyboard
4. Tap the Go button
-> Twitter opens in mobile Safari
Expected Results:
The 'Go' button submission of a form should also handle the universal link if tapping the submit button does so. Both should bring up the Twitter app.
Actual Results:
The 'Go' button bypasses universal link handling. The destination is opened in mobile Safari instead.
Version:
iOS 9.3.1 (13E238)
Notes:
Configuration:
iPhone 6s+
-
Product Version: 9.3.1
Created: 2016-05-04T22:01:34.358330
Originated: 2016-05-04T00:00:00
Open Radar Link: http://www.openradar.me/26099290
|
usab
|
tapping keyboard go button to submit a web form bypasses universal links description summary in safari visit a web form where the submit action posts to a path that would trigger a universal link into some app tapping the submit button on the form will deep link the user into the app but tapping the keyboard go button instead opens the destination in safari steps to reproduce suppose you have a form like form action and that you also have the twitter app installed visit the page with this form in mobile safari tap the submit button the twitter app opens go back to the web page and bring up the software keyboard tap the go button twitter opens in mobile safari expected results the go button submission of a form should also handle the universal link if tapping the submit button does so both should bring up the twitter app actual results the go button bypasses universal link handling the destination is opened in mobile safari instead version ios notes configuration iphone product version created originated open radar link
| 1
|
240,905
| 7,807,242,027
|
IssuesEvent
|
2018-06-11 16:13:56
|
craftercms/craftercms
|
https://api.github.com/repos/craftercms/craftercms
|
opened
|
[studio] Support per site configuration of staging environment
|
enhancement priority: medium
|
### Expected behavior
Each site in Crafter Studio should be able to activate and label live and staging publishing environments.
### Current behavior
Today staging is a system-wide setting where all sites either have a staging endpoint or not.
#### Version
Studio Version Number: 3.0.14-SNAPSHOT-bb5185
Build Number: bb518515b875d7784bb698317a7d0d3f36e2cbe0
Build Date/Time: 06-08-2018 09:50:34 -0400
#### OS
#### Browser
N/a
|
1.0
|
[studio] Support per site configuration of staging environment - ### Expected behavior
Each site in Crafter Studio should be able to activate and label live and staging publishing environments.
### Current behavior
Today staging is a system-wide setting where all sites either have a staging endpoint or not.
#### Version
Studio Version Number: 3.0.14-SNAPSHOT-bb5185
Build Number: bb518515b875d7784bb698317a7d0d3f36e2cbe0
Build Date/Time: 06-08-2018 09:50:34 -0400
#### OS
#### Browser
N/a
|
non_usab
|
support per site configuration of staging environment expected behavior each site in crafter studio should be able to activate and label live and staging publishing environments current behavior today staging is a system wide setting where all sites either have a staging endpoint or not version studio version number snapshot build number build date time os browser n a
| 0
|
88,772
| 8,177,463,209
|
IssuesEvent
|
2018-08-28 10:48:11
|
gomods/athens
|
https://api.github.com/repos/gomods/athens
|
closed
|
Ensure storage tests can run without intermittent failures
|
ci/cd testing
|
Storage tests right now run in parallel against the same shared datastore, so intermittent failures can happen due to race conditions (@marwan-at-work mentioned that he's seen some).
We should think about whether we can do something to make this more "foolproof". One idea is to use [testify/suite](https://godoc.org/github.com/stretchr/testify/suite)'s [`SetupTest`](https://godoc.org/github.com/stretchr/testify/suite#SetupTestSuite) and [`TearDownTest`](https://godoc.org/github.com/stretchr/testify/suite#TearDownTestSuite) functions to provide each test with its own database (or whatever is appropriate for the given storage driver)
Another option is to run with `go test -p 1 ...` to ensure _all_ tests don't run in parallel (this is what the `buffalo` CLI does). I don't feel like that's an ideal solution, but it works for them.
cc/ @michalpristas @robjloranger @marwan-at-work since we've all talked about testing in one way or another recently
|
1.0
|
Ensure storage tests can run without intermittent failures - Storage tests right now run in parallel against the same shared datastore, so intermittent failures can happen due to race conditions (@marwan-at-work mentioned that he's seen some).
We should think about whether we can do something to make this more "foolproof". One idea is to use [testify/suite](https://godoc.org/github.com/stretchr/testify/suite)'s [`SetupTest`](https://godoc.org/github.com/stretchr/testify/suite#SetupTestSuite) and [`TearDownTest`](https://godoc.org/github.com/stretchr/testify/suite#TearDownTestSuite) functions to provide each test with its own database (or whatever is appropriate for the given storage driver)
Another option is to run with `go test -p 1 ...` to ensure _all_ tests don't run in parallel (this is what the `buffalo` CLI does). I don't feel like that's an ideal solution, but it works for them.
cc/ @michalpristas @robjloranger @marwan-at-work since we've all talked about testing in one way or another recently
|
non_usab
|
ensure storage tests can run without intermittent failures storage tests right now run in parallel against the same shared datastore so intermittent failures can happen due to race conditions marwan at work mentioned that he s seen some we should think about whether we can do something to make this more foolproof one idea is to use and functions to provide each test with its own database or whatever is appropriate for the given storage driver another option is to run with go test p to ensure all tests don t run in parallel this is what the buffalo cli does i don t feel like that s an ideal solution but it works for them cc michalpristas robjloranger marwan at work since we ve all talked about testing in one way or another recently
| 0
|
11,676
| 7,354,889,533
|
IssuesEvent
|
2018-03-09 09:02:57
|
the-tale/the-tale
|
https://api.github.com/repos/the-tale/the-tale
|
opened
|
Вкладку «задания» переработать во вкладку «цели»
|
comp_general cont_usability est_medium type_improvement
|
Цепочку заданий показывать сверхку.
Под ней цель накопления.
Под ней все проекты, в которых участвует герой.
|
True
|
Вкладку «задания» переработать во вкладку «цели» - Цепочку заданий показывать сверхку.
Под ней цель накопления.
Под ней все проекты, в которых участвует герой.
|
usab
|
вкладку «задания» переработать во вкладку «цели» цепочку заданий показывать сверхку под ней цель накопления под ней все проекты в которых участвует герой
| 1
|
752,288
| 26,279,385,671
|
IssuesEvent
|
2023-01-07 05:36:08
|
minio/minio-dotnet
|
https://api.github.com/repos/minio/minio-dotnet
|
closed
|
Asynchronously processing GetObjectAsync stream
|
priority: medium community
|
**Feature request**:
GetObjectAsync takes a synchronous stream processor. It defeats the point of the call being asynchronous, unless I'm misunderstanding something (is the stream buffered in memory already?)
`Task GetObjectAsync(string bucketName, string objectName, Action<Stream> callback, ServerSideEncryption sse = null, CancellationToken cancellationToken = default(CancellationToken))`
It would be great to see an overload like:
`Task GetObjectAsync(string bucketName, string objectName, Func<Stream, Task> callback, ServerSideEncryption sse = null, CancellationToken cancellationToken = default(CancellationToken))`
Notice how callback is changed `Action<Stream> callback` -> `Func<Stream, Task> callback`.
For the time being, I came up with a workaround using TaskCompletionSource, although I cannot test if it is truly asynchronous or blocking.
```csharp
var completion = new TaskCompletionSource<object>();
await _client.GetObjectAsync(_options.BucketName, name, async s =>
{
await s.CopyToAsync(file.Stream, cancellationToken);
completion.TrySetResult(null);
}, null, cancellationToken);
await completion.Task;
```
|
1.0
|
Asynchronously processing GetObjectAsync stream - **Feature request**:
GetObjectAsync takes a synchronous stream processor. It defeats the point of the call being asynchronous, unless I'm misunderstanding something (is the stream buffered in memory already?)
`Task GetObjectAsync(string bucketName, string objectName, Action<Stream> callback, ServerSideEncryption sse = null, CancellationToken cancellationToken = default(CancellationToken))`
It would be great to see an overload like:
`Task GetObjectAsync(string bucketName, string objectName, Func<Stream, Task> callback, ServerSideEncryption sse = null, CancellationToken cancellationToken = default(CancellationToken))`
Notice how callback is changed `Action<Stream> callback` -> `Func<Stream, Task> callback`.
For the time being, I came up with a workaround using TaskCompletionSource, although I cannot test if it is truly asynchronous or blocking.
```csharp
var completion = new TaskCompletionSource<object>();
await _client.GetObjectAsync(_options.BucketName, name, async s =>
{
await s.CopyToAsync(file.Stream, cancellationToken);
completion.TrySetResult(null);
}, null, cancellationToken);
await completion.Task;
```
|
non_usab
|
asynchronously processing getobjectasync stream feature request getobjectasync takes a synchronous stream processor it defeats the point of the call being asynchronous unless i m misunderstanding something is the stream buffered in memory already task getobjectasync string bucketname string objectname action callback serversideencryption sse null cancellationtoken cancellationtoken default cancellationtoken it would be great to see an overload like task getobjectasync string bucketname string objectname func callback serversideencryption sse null cancellationtoken cancellationtoken default cancellationtoken notice how callback is changed action callback func callback for the time being i came up with a workaround using taskcompletionsource although i cannot test if it is truly asynchronous or blocking csharp var completion new taskcompletionsource await client getobjectasync options bucketname name async s await s copytoasync file stream cancellationtoken completion trysetresult null null cancellationtoken await completion task
| 0
|
21,257
| 16,722,354,997
|
IssuesEvent
|
2021-06-10 08:51:38
|
matomo-org/matomo
|
https://api.github.com/repos/matomo-org/matomo
|
closed
|
Persistent notifications aren't removed. Make Error while creating/copying file to warning dismissable
|
Bug Help wanted c: Usability
|
quite low priority, but I wanted to write it down just in case I stumble across it again in the future.
(and maybe the same is true for other error messages and it confuses user)
When developing Matomo doesn't have write permission to `plugins/`. This doesn't matter as it isn't needed for things apart from the marketplace.
When one tries to download something from the marketplace this error message appears rightfully:

The issue is that there is no way to get rid of the notification. Pressing the x only closes it with JS, but as it is rendered by Twig it will reappear on every page even when it doesn't matter anymore.
Adding a `static::$session->unsetAll();` to
https://github.com/matomo-org/matomo/blob/b16a791aa3650d85af829156129c2bd44c7cb075/core/Notification/Manager.php#L191-L202
removes it from the session and gets finally rid of the message (ending the session in another way would also work).
|
True
|
Persistent notifications aren't removed. Make Error while creating/copying file to warning dismissable - quite low priority, but I wanted to write it down just in case I stumble across it again in the future.
(and maybe the same is true for other error messages and it confuses user)
When developing Matomo doesn't have write permission to `plugins/`. This doesn't matter as it isn't needed for things apart from the marketplace.
When one tries to download something from the marketplace this error message appears rightfully:

The issue is that there is no way to get rid of the notification. Pressing the x only closes it with JS, but as it is rendered by Twig it will reappear on every page even when it doesn't matter anymore.
Adding a `static::$session->unsetAll();` to
https://github.com/matomo-org/matomo/blob/b16a791aa3650d85af829156129c2bd44c7cb075/core/Notification/Manager.php#L191-L202
removes it from the session and gets finally rid of the message (ending the session in another way would also work).
|
usab
|
persistent notifications aren t removed make error while creating copying file to warning dismissable quite low priority but i wanted to write it down just in case i stumble across it again in the future and maybe the same is true for other error messages and it confuses user when developing matomo doesn t have write permission to plugins this doesn t matter as it isn t needed for things apart from the marketplace when one tries to download something from the marketplace this error message appears rightfully the issue is that there is no way to get rid of the notification pressing the x only closes it with js but as it is rendered by twig it will reappear on every page even when it doesn t matter anymore adding a static session unsetall to removes it from the session and gets finally rid of the message ending the session in another way would also work
| 1
|
21,067
| 16,529,212,342
|
IssuesEvent
|
2021-05-27 02:05:54
|
matomo-org/matomo
|
https://api.github.com/repos/matomo-org/matomo
|
closed
|
Show more clearly the freshness of reports when looking at Today or This week
|
c: Onboarding c: Usability
|
When viewing a report where the date includes Today, and when clicking on the help icon next to a report title, one can sometimes see the "Generated X hours Y min ago." information. This gives the freshness of the report:

It's a common frustration point to not know when were the reports processed, and not knowing whether the current report may be inaccurate because it was processed hours ago. "When was this data processed?" people ask themselves.
How could we make the situation more clear?
* could we also display the freshness info with a subtle time icon: "(icon) 5 hours ago" or "(icon) 34 min ago", on the top right (Selector bar), when date includes today?
* show this freshness info in the help infobox on all report titles. Currently the freshness is not visible under Evolution graphs and likely other reports too. We expect this info to show on all pre-processed reports (except a few specific which are not actual aggregated reports like all real-time reports).
* ...
|
True
|
Show more clearly the freshness of reports when looking at Today or This week - When viewing a report where the date includes Today, and when clicking on the help icon next to a report title, one can sometimes see the "Generated X hours Y min ago." information. This gives the freshness of the report:

It's a common frustration point to not know when were the reports processed, and not knowing whether the current report may be inaccurate because it was processed hours ago. "When was this data processed?" people ask themselves.
How could we make the situation more clear?
* could we also display the freshness info with a subtle time icon: "(icon) 5 hours ago" or "(icon) 34 min ago", on the top right (Selector bar), when date includes today?
* show this freshness info in the help infobox on all report titles. Currently the freshness is not visible under Evolution graphs and likely other reports too. We expect this info to show on all pre-processed reports (except a few specific which are not actual aggregated reports like all real-time reports).
* ...
|
usab
|
show more clearly the freshness of reports when looking at today or this week when viewing a report where the date includes today and when clicking on the help icon next to a report title one can sometimes see the generated x hours y min ago information this gives the freshness of the report it s a common frustration point to not know when were the reports processed and not knowing whether the current report may be inaccurate because it was processed hours ago when was this data processed people ask themselves how could we make the situation more clear could we also display the freshness info with a subtle time icon icon hours ago or icon min ago on the top right selector bar when date includes today show this freshness info in the help infobox on all report titles currently the freshness is not visible under evolution graphs and likely other reports too we expect this info to show on all pre processed reports except a few specific which are not actual aggregated reports like all real time reports
| 1
|
145,187
| 5,560,078,152
|
IssuesEvent
|
2017-03-24 18:30:19
|
vanilla-framework/vanilla-framework
|
https://api.github.com/repos/vanilla-framework/vanilla-framework
|
closed
|
Links wrong in the Readme
|
Priority: Medium Status: Review Type: Maintenance
|
Some broken links in the Readme
- Mailing list
- Homepage link by hotlink
|
1.0
|
Links wrong in the Readme - Some broken links in the Readme
- Mailing list
- Homepage link by hotlink
|
non_usab
|
links wrong in the readme some broken links in the readme mailing list homepage link by hotlink
| 0
|
14,626
| 9,370,345,154
|
IssuesEvent
|
2019-04-03 13:17:21
|
downshiftorg/prophoto7-issues
|
https://api.github.com/repos/downshiftorg/prophoto7-issues
|
opened
|
UI does not scroll up or highlight new creations in "Manage Designs" screen
|
bug top-picks-s usability
|
When clicking to "Create New Design" in ProPhoto, the UI does not scroll up to or highlight the newly-created design copy. For sites with more than one or two saved designs, this can make it challenging to find the new one.
|
True
|
UI does not scroll up or highlight new creations in "Manage Designs" screen - When clicking to "Create New Design" in ProPhoto, the UI does not scroll up to or highlight the newly-created design copy. For sites with more than one or two saved designs, this can make it challenging to find the new one.
|
usab
|
ui does not scroll up or highlight new creations in manage designs screen when clicking to create new design in prophoto the ui does not scroll up to or highlight the newly created design copy for sites with more than one or two saved designs this can make it challenging to find the new one
| 1
|
74,453
| 20,164,972,821
|
IssuesEvent
|
2022-02-10 02:41:57
|
gitpod-io/gitpod
|
https://api.github.com/repos/gitpod-io/gitpod
|
closed
|
Gitpod should checkout Git LFS files in workspace
|
type: feature request meta: stale feature: prebuilds
|
Gitpod does not natively support repositories using Git LFS (Large File Support). It would be great if this could be addressed.
It is possible to work around this in some situations by manually installing git-lfs into the container and running `git lfs pull` in the workspace as an `init` task (in `.gitpod.yml`).
However that has limitations. In particular, LFS files are not available during the Docker image build, so if you need to `COPY` a large file into the image from your Dockerfile, it won't work.
I haven't looked yet at how this works in Gitpod, but I would imagine that enabling LFS during the git checkout phase would be a relatively simple enhancement. Can this be considered?
|
1.0
|
Gitpod should checkout Git LFS files in workspace - Gitpod does not natively support repositories using Git LFS (Large File Support). It would be great if this could be addressed.
It is possible to work around this in some situations by manually installing git-lfs into the container and running `git lfs pull` in the workspace as an `init` task (in `.gitpod.yml`).
However that has limitations. In particular, LFS files are not available during the Docker image build, so if you need to `COPY` a large file into the image from your Dockerfile, it won't work.
I haven't looked yet at how this works in Gitpod, but I would imagine that enabling LFS during the git checkout phase would be a relatively simple enhancement. Can this be considered?
|
non_usab
|
gitpod should checkout git lfs files in workspace gitpod does not natively support repositories using git lfs large file support it would be great if this could be addressed it is possible to work around this in some situations by manually installing git lfs into the container and running git lfs pull in the workspace as an init task in gitpod yml however that has limitations in particular lfs files are not available during the docker image build so if you need to copy a large file into the image from your dockerfile it won t work i haven t looked yet at how this works in gitpod but i would imagine that enabling lfs during the git checkout phase would be a relatively simple enhancement can this be considered
| 0
|
70,394
| 9,414,703,811
|
IssuesEvent
|
2019-04-10 10:47:45
|
puyotw/core-site
|
https://api.github.com/repos/puyotw/core-site
|
closed
|
撰寫youtube, niconico和twitch Liquid tag的教學文
|
documentation
|
#3 加入了這些Liquid tags,但還沒有教學文展示如何使用。應該要寫一寫在repo的wiki裡。
|
1.0
|
撰寫youtube, niconico和twitch Liquid tag的教學文 - #3 加入了這些Liquid tags,但還沒有教學文展示如何使用。應該要寫一寫在repo的wiki裡。
|
non_usab
|
撰寫youtube niconico和twitch liquid tag的教學文 加入了這些liquid tags,但還沒有教學文展示如何使用。應該要寫一寫在repo的wiki裡。
| 0
|
4,171
| 3,755,445,015
|
IssuesEvent
|
2016-03-12 17:24:29
|
php-coder/mystamps
|
https://api.github.com/repos/php-coder/mystamps
|
closed
|
/account/register: add clarification about using user's e-mail
|
area/usability kind/improvement ready trivial
|
We should tell user that we'll sent activation e-mail to him. (May be we should use [propover](http://getbootstrap.com/javascript/#popovers) for that?)
|
True
|
/account/register: add clarification about using user's e-mail - We should tell user that we'll sent activation e-mail to him. (May be we should use [propover](http://getbootstrap.com/javascript/#popovers) for that?)
|
usab
|
account register add clarification about using user s e mail we should tell user that we ll sent activation e mail to him may be we should use for that
| 1
|
8,519
| 5,793,701,241
|
IssuesEvent
|
2017-05-02 13:17:52
|
rpi-virtuell/reliwerk
|
https://api.github.com/repos/rpi-virtuell/reliwerk
|
reopened
|
"Gruppe verlassen"
|
Text Übersetzung Usability
|
Nun ist genau das passiert, was ich immer befürchtet habe: das riesige "Gruppe verlassen" - Schild verführt einfach dazu, darauf zu klicken, wenn man die Arbeit in der Gruppe beendet hat. Warum diese Aufforderung zum endgültigen Verlassen so groß da stehen muss, erschließt sich mir nicht. Kann man das nicht klein oben rein machen? Es ist wirklich irritierend. Heute Morgen habe ich mit Müh und Not eine Kollegin in die Gruppe "geschleußt" und jetzt ist sie wieder draußen. Ich bitte sehr darum, diesen Button zu ändern.
|
True
|
"Gruppe verlassen" - Nun ist genau das passiert, was ich immer befürchtet habe: das riesige "Gruppe verlassen" - Schild verführt einfach dazu, darauf zu klicken, wenn man die Arbeit in der Gruppe beendet hat. Warum diese Aufforderung zum endgültigen Verlassen so groß da stehen muss, erschließt sich mir nicht. Kann man das nicht klein oben rein machen? Es ist wirklich irritierend. Heute Morgen habe ich mit Müh und Not eine Kollegin in die Gruppe "geschleußt" und jetzt ist sie wieder draußen. Ich bitte sehr darum, diesen Button zu ändern.
|
usab
|
gruppe verlassen nun ist genau das passiert was ich immer befürchtet habe das riesige gruppe verlassen schild verführt einfach dazu darauf zu klicken wenn man die arbeit in der gruppe beendet hat warum diese aufforderung zum endgültigen verlassen so groß da stehen muss erschließt sich mir nicht kann man das nicht klein oben rein machen es ist wirklich irritierend heute morgen habe ich mit müh und not eine kollegin in die gruppe geschleußt und jetzt ist sie wieder draußen ich bitte sehr darum diesen button zu ändern
| 1
|
20,605
| 15,768,365,364
|
IssuesEvent
|
2021-03-31 17:08:42
|
microsoft/win32metadata
|
https://api.github.com/repos/microsoft/win32metadata
|
closed
|
const fields
|
usability
|
As I'm working on adding support for constants, I noticed that some have a `Const` attribute while others do not.
```
[Const]
public const int ACTIVPROF_E_UNABLE_TO_APPLY_ACTION = -2147220990;
```
```
public const int ALERT_SYSTEM_CRITICAL = 5;
```
Not sure what to make of this.
|
True
|
const fields - As I'm working on adding support for constants, I noticed that some have a `Const` attribute while others do not.
```
[Const]
public const int ACTIVPROF_E_UNABLE_TO_APPLY_ACTION = -2147220990;
```
```
public const int ALERT_SYSTEM_CRITICAL = 5;
```
Not sure what to make of this.
|
usab
|
const fields as i m working on adding support for constants i noticed that some have a const attribute while others do not public const int activprof e unable to apply action public const int alert system critical not sure what to make of this
| 1
|
186,618
| 15,078,781,775
|
IssuesEvent
|
2021-02-05 09:14:20
|
aws-samples/smallmatter-package
|
https://api.github.com/repos/aws-samples/smallmatter-package
|
opened
|
Fine-grained extras requirements
|
documentation enhancement help wanted
|
Find a way to provide fine-grained extras requirements, whether as documentations, `extras_required`, convention or pattern to write codes, or any other mechanism.
The idea is to prevent users to install dependencies only from the functionalities they required. For example, if users never use plotting-related functionality, then they should not need to install plotting libraries.
|
1.0
|
Fine-grained extras requirements - Find a way to provide fine-grained extras requirements, whether as documentations, `extras_required`, convention or pattern to write codes, or any other mechanism.
The idea is to prevent users to install dependencies only from the functionalities they required. For example, if users never use plotting-related functionality, then they should not need to install plotting libraries.
|
non_usab
|
fine grained extras requirements find a way to provide fine grained extras requirements whether as documentations extras required convention or pattern to write codes or any other mechanism the idea is to prevent users to install dependencies only from the functionalities they required for example if users never use plotting related functionality then they should not need to install plotting libraries
| 0
|
117,669
| 25,171,005,110
|
IssuesEvent
|
2022-11-11 03:16:01
|
WebXDAO/DEV-NFT
|
https://api.github.com/repos/WebXDAO/DEV-NFT
|
closed
|
[Feat]: Improve NFT design
|
⭐ goal: addition no-issue-activity 🚦 status: awaiting triage 💻 aspect: code
|
### Detailed Description
I think the feature should be added because actual NFT are quick-made for the hackaton purpose (thanks to @KukretiShubham) and it's not so fancy.
Let this issue open to discuss about the design, and we should ask the community to vote.
### Contributing
- [X] I have read the project's contribution guidelines.
### Code of Conduct
- [X] I agree to follow this project's Code of Conduct
### Anything else?
_No response_
|
1.0
|
[Feat]: Improve NFT design - ### Detailed Description
I think the feature should be added because actual NFT are quick-made for the hackaton purpose (thanks to @KukretiShubham) and it's not so fancy.
Let this issue open to discuss about the design, and we should ask the community to vote.
### Contributing
- [X] I have read the project's contribution guidelines.
### Code of Conduct
- [X] I agree to follow this project's Code of Conduct
### Anything else?
_No response_
|
non_usab
|
improve nft design detailed description i think the feature should be added because actual nft are quick made for the hackaton purpose thanks to kukretishubham and it s not so fancy let this issue open to discuss about the design and we should ask the community to vote contributing i have read the project s contribution guidelines code of conduct i agree to follow this project s code of conduct anything else no response
| 0
|
10,935
| 6,991,475,604
|
IssuesEvent
|
2017-12-15 00:08:52
|
vapor-ware/ksync
|
https://api.github.com/repos/vapor-ware/ksync
|
opened
|
Overlap in `update` and `init --upgrade` commands
|
enhancement help wanted radar usability
|
Not sure how we should deal with this, but these functions feel like they should be logically grouped together.
|
True
|
Overlap in `update` and `init --upgrade` commands - Not sure how we should deal with this, but these functions feel like they should be logically grouped together.
|
usab
|
overlap in update and init upgrade commands not sure how we should deal with this but these functions feel like they should be logically grouped together
| 1
|
17,609
| 23,428,329,647
|
IssuesEvent
|
2022-08-14 18:34:49
|
ForNeVeR/Cesium
|
https://api.github.com/repos/ForNeVeR/Cesium
|
opened
|
Nested include support
|
kind:feature area:preprocessor
|
Look for the number `xxx` in the code to find clues to resolve this issue.
|
1.0
|
Nested include support - Look for the number `xxx` in the code to find clues to resolve this issue.
|
non_usab
|
nested include support look for the number xxx in the code to find clues to resolve this issue
| 0
|
220,190
| 24,564,744,951
|
IssuesEvent
|
2022-10-13 01:08:33
|
CodeChung/energydrank
|
https://api.github.com/repos/CodeChung/energydrank
|
opened
|
CVE-2022-37599 (Medium) detected in loader-utils-1.4.0.tgz
|
security vulnerability
|
## CVE-2022-37599 - Medium Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>loader-utils-1.4.0.tgz</b></p></summary>
<p>utils for webpack loaders</p>
<p>Library home page: <a href="https://registry.npmjs.org/loader-utils/-/loader-utils-1.4.0.tgz">https://registry.npmjs.org/loader-utils/-/loader-utils-1.4.0.tgz</a></p>
<p>Path to dependency file: /package.json</p>
<p>Path to vulnerable library: /node_modules/loader-utils/package.json</p>
<p>
Dependency Hierarchy:
- nuxt-2.11.0.tgz (Root Library)
- webpack-2.11.0.tgz
- thread-loader-2.1.3.tgz
- :x: **loader-utils-1.4.0.tgz** (Vulnerable Library)
<p>Found in HEAD commit: <a href="https://github.com/CodeChung/energydrank/commit/ea94687e33a78fe25624d029697821d94925708f">ea94687e33a78fe25624d029697821d94925708f</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>
A Regular expression denial of service (ReDoS) flaw was found in Function interpolateName in interpolateName.js in webpack loader-utils 2.0.0 via the resourcePath variable in interpolateName.js.
<p>Publish Date: 2022-10-11
<p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2022-37599>CVE-2022-37599</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-2022-37599 (Medium) detected in loader-utils-1.4.0.tgz - ## CVE-2022-37599 - Medium Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>loader-utils-1.4.0.tgz</b></p></summary>
<p>utils for webpack loaders</p>
<p>Library home page: <a href="https://registry.npmjs.org/loader-utils/-/loader-utils-1.4.0.tgz">https://registry.npmjs.org/loader-utils/-/loader-utils-1.4.0.tgz</a></p>
<p>Path to dependency file: /package.json</p>
<p>Path to vulnerable library: /node_modules/loader-utils/package.json</p>
<p>
Dependency Hierarchy:
- nuxt-2.11.0.tgz (Root Library)
- webpack-2.11.0.tgz
- thread-loader-2.1.3.tgz
- :x: **loader-utils-1.4.0.tgz** (Vulnerable Library)
<p>Found in HEAD commit: <a href="https://github.com/CodeChung/energydrank/commit/ea94687e33a78fe25624d029697821d94925708f">ea94687e33a78fe25624d029697821d94925708f</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>
A Regular expression denial of service (ReDoS) flaw was found in Function interpolateName in interpolateName.js in webpack loader-utils 2.0.0 via the resourcePath variable in interpolateName.js.
<p>Publish Date: 2022-10-11
<p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2022-37599>CVE-2022-37599</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_usab
|
cve medium detected in loader utils tgz cve medium severity vulnerability vulnerable library loader utils tgz utils for webpack loaders library home page a href path to dependency file package json path to vulnerable library node modules loader utils package json dependency hierarchy nuxt tgz root library webpack tgz thread loader tgz x loader utils tgz vulnerable library found in head commit a href found in base branch master vulnerability details a regular expression denial of service redos flaw was found in function interpolatename in interpolatename js in webpack loader utils via the resourcepath variable in interpolatename js 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
|
8,756
| 5,951,717,064
|
IssuesEvent
|
2017-05-26 20:22:11
|
flutter/flutter-intellij
|
https://api.github.com/repos/flutter/flutter-intellij
|
closed
|
not enough feedback when a hot reload has been performed
|
from: study usability
|
From UX studies, we've seen that there's not enough feedback when a hot reload has been performed or is in progress.
|
True
|
not enough feedback when a hot reload has been performed - From UX studies, we've seen that there's not enough feedback when a hot reload has been performed or is in progress.
|
usab
|
not enough feedback when a hot reload has been performed from ux studies we ve seen that there s not enough feedback when a hot reload has been performed or is in progress
| 1
|
324,408
| 23,997,951,243
|
IssuesEvent
|
2022-09-14 09:04:50
|
teamBugBash/hello
|
https://api.github.com/repos/teamBugBash/hello
|
closed
|
A demo issue
|
bug documentation duplicate
|
@apurva1112 is testing !!
**Describe the bug**
A clear and concise description of what the bug is.
**To Reproduce**
Steps to reproduce the behavior:
1. Go to '...'
2. Click on '....'
3. Scroll down to '....'
4. See error
**Expected behavior**
A clear and concise description of what you expected to happen.
**Screenshots**
If applicable, add screenshots to help explain your problem.
**Desktop (please complete the following information):**
- OS: [e.g. iOS]
- Browser [e.g. chrome, safari]
- Version [e.g. 22]
**Smartphone (please complete the following information):**
- Device: [e.g. iPhone6]
- OS: [e.g. iOS8.1]
- Browser [e.g. stock browser, safari]
- Version [e.g. 22]
**Additional context**
Add any other context about the problem here.
|
1.0
|
A demo issue - @apurva1112 is testing !!
**Describe the bug**
A clear and concise description of what the bug is.
**To Reproduce**
Steps to reproduce the behavior:
1. Go to '...'
2. Click on '....'
3. Scroll down to '....'
4. See error
**Expected behavior**
A clear and concise description of what you expected to happen.
**Screenshots**
If applicable, add screenshots to help explain your problem.
**Desktop (please complete the following information):**
- OS: [e.g. iOS]
- Browser [e.g. chrome, safari]
- Version [e.g. 22]
**Smartphone (please complete the following information):**
- Device: [e.g. iPhone6]
- OS: [e.g. iOS8.1]
- Browser [e.g. stock browser, safari]
- Version [e.g. 22]
**Additional context**
Add any other context about the problem here.
|
non_usab
|
a demo issue is testing describe the bug a clear and concise description of what the bug is to reproduce steps to reproduce the behavior go to click on scroll down to see error expected behavior a clear and concise description of what you expected to happen screenshots if applicable add screenshots to help explain your problem desktop please complete the following information os browser version smartphone please complete the following information device os browser version additional context add any other context about the problem here
| 0
|
14,079
| 8,816,324,941
|
IssuesEvent
|
2018-12-30 09:00:19
|
the-tale/the-tale
|
https://api.github.com/repos/the-tale/the-tale
|
opened
|
Сообщение об окончании подписки приходит для вечных подписчиков
|
comp_general cont_usability est_simple good first issue type_bug
|
Если вечка была куплена во время активности обычной подписки.
Нужно отфильтровывать вечников и не слать им сообщение.
|
True
|
Сообщение об окончании подписки приходит для вечных подписчиков - Если вечка была куплена во время активности обычной подписки.
Нужно отфильтровывать вечников и не слать им сообщение.
|
usab
|
сообщение об окончании подписки приходит для вечных подписчиков если вечка была куплена во время активности обычной подписки нужно отфильтровывать вечников и не слать им сообщение
| 1
|
27,230
| 27,870,967,516
|
IssuesEvent
|
2023-03-21 13:27:15
|
informalsystems/quint
|
https://api.github.com/repos/informalsystems/quint
|
closed
|
Change output order in "quint run --invariant=..."
|
usability Fsimulator (phase 5a)
|
I use invariant checking for some basic checks. It gives me
```
[ok] No violation found (32000ms).
You may increase --max-samples and --max-steps.
See the example:
```
... followed by a trace of 20 steps.
That is, in my terminal, I always need to scroll up to figure out whether it is OK. It would be great to give the "ok" response at the very end of the output, so that one can easily get the most important information.
|
True
|
Change output order in "quint run --invariant=..." - I use invariant checking for some basic checks. It gives me
```
[ok] No violation found (32000ms).
You may increase --max-samples and --max-steps.
See the example:
```
... followed by a trace of 20 steps.
That is, in my terminal, I always need to scroll up to figure out whether it is OK. It would be great to give the "ok" response at the very end of the output, so that one can easily get the most important information.
|
usab
|
change output order in quint run invariant i use invariant checking for some basic checks it gives me no violation found you may increase max samples and max steps see the example followed by a trace of steps that is in my terminal i always need to scroll up to figure out whether it is ok it would be great to give the ok response at the very end of the output so that one can easily get the most important information
| 1
|
14,528
| 9,247,434,109
|
IssuesEvent
|
2019-03-15 00:45:43
|
rabbitmq/rabbitmq-server
|
https://api.github.com/repos/rabbitmq/rabbitmq-server
|
closed
|
Consider starting protocol listeners later
|
usability
|
Per discussion with @Gsantomaggio and Mat Burton's excellent feedback in [this rabbitmq-users thread](https://groups.google.com/forum/#!topic/rabbitmq-users/ctLroWGmqGQ).
When a node, in particular a new node, joins a cluster it becomes "eligible" for client operations as soon as
* It is known to be a cluster member
* It starts TCP/TLS listeners for all enabled protocols
So sometimes we'd see clients, directly or via remote nodes acting as coordinators, to begin executing operations on a node that is not 100% ready for that, e.g.
* Virtual hosts are still initializing
* Stateful plugins are still starting (e.g. the consistent hash exchange plugin has its ring state to recover)
and so on. This can cause client operations to fail. Depending on the resiliency of the application this can result in a technical operations incident.
If we oversimplify, a node can be considered a cluster member as early as the schema database sync (without it there isn't much you can do on a node successfully) and is hard to tweak due to various OTP dependencies using a very simplistic logic when checking if a node is available/ready. This part is hard to change.
When listener are started is a piece of node-local state and something the node itself controls fully. This part is trivial to change.
By starting listeners later we reduce the probability (although not to 0, of course) of clients attempting to perform operations on a node that's not really 100% ready even though it is booted and has enabled plugins and as far as the service manager or orchestration tool is concerned, generally ready to serve clients.
If plugin activation and TCP/TLS listener startup could coordinate with virtual host initialisation,
it would be an even bigger improvement but also a non-trivial change to the boot [step execution] process.
|
True
|
Consider starting protocol listeners later - Per discussion with @Gsantomaggio and Mat Burton's excellent feedback in [this rabbitmq-users thread](https://groups.google.com/forum/#!topic/rabbitmq-users/ctLroWGmqGQ).
When a node, in particular a new node, joins a cluster it becomes "eligible" for client operations as soon as
* It is known to be a cluster member
* It starts TCP/TLS listeners for all enabled protocols
So sometimes we'd see clients, directly or via remote nodes acting as coordinators, to begin executing operations on a node that is not 100% ready for that, e.g.
* Virtual hosts are still initializing
* Stateful plugins are still starting (e.g. the consistent hash exchange plugin has its ring state to recover)
and so on. This can cause client operations to fail. Depending on the resiliency of the application this can result in a technical operations incident.
If we oversimplify, a node can be considered a cluster member as early as the schema database sync (without it there isn't much you can do on a node successfully) and is hard to tweak due to various OTP dependencies using a very simplistic logic when checking if a node is available/ready. This part is hard to change.
When listener are started is a piece of node-local state and something the node itself controls fully. This part is trivial to change.
By starting listeners later we reduce the probability (although not to 0, of course) of clients attempting to perform operations on a node that's not really 100% ready even though it is booted and has enabled plugins and as far as the service manager or orchestration tool is concerned, generally ready to serve clients.
If plugin activation and TCP/TLS listener startup could coordinate with virtual host initialisation,
it would be an even bigger improvement but also a non-trivial change to the boot [step execution] process.
|
usab
|
consider starting protocol listeners later per discussion with gsantomaggio and mat burton s excellent feedback in when a node in particular a new node joins a cluster it becomes eligible for client operations as soon as it is known to be a cluster member it starts tcp tls listeners for all enabled protocols so sometimes we d see clients directly or via remote nodes acting as coordinators to begin executing operations on a node that is not ready for that e g virtual hosts are still initializing stateful plugins are still starting e g the consistent hash exchange plugin has its ring state to recover and so on this can cause client operations to fail depending on the resiliency of the application this can result in a technical operations incident if we oversimplify a node can be considered a cluster member as early as the schema database sync without it there isn t much you can do on a node successfully and is hard to tweak due to various otp dependencies using a very simplistic logic when checking if a node is available ready this part is hard to change when listener are started is a piece of node local state and something the node itself controls fully this part is trivial to change by starting listeners later we reduce the probability although not to of course of clients attempting to perform operations on a node that s not really ready even though it is booted and has enabled plugins and as far as the service manager or orchestration tool is concerned generally ready to serve clients if plugin activation and tcp tls listener startup could coordinate with virtual host initialisation it would be an even bigger improvement but also a non trivial change to the boot process
| 1
|
3,116
| 3,343,822,436
|
IssuesEvent
|
2015-11-15 20:19:45
|
tgstation/-tg-station
|
https://api.github.com/repos/tgstation/-tg-station
|
closed
|
Send To on player panel has no cancel
|
Administration Bug UI Usability
|
Feature request.
>show player panel
>accidentally click send to button
>no way to cancel, you are now forced to teleport the person somewhere
|
True
|
Send To on player panel has no cancel - Feature request.
>show player panel
>accidentally click send to button
>no way to cancel, you are now forced to teleport the person somewhere
|
usab
|
send to on player panel has no cancel feature request show player panel accidentally click send to button no way to cancel you are now forced to teleport the person somewhere
| 1
|
165,517
| 26,183,988,518
|
IssuesEvent
|
2023-01-02 20:09:28
|
flutter/website
|
https://api.github.com/repos/flutter/website
|
opened
|
Migrate to Bootstrap 5
|
infrastructure design p3-low blocked e2-days e3-weeks
|
### Describe the problem
Bootstrap 5 is the current release Bootstrap, replacing Bootstrap 4. We use it heavily across the site and we want to make sure we stay up to date. This will also allow us to eventually drop Jquery since Bootstrap 5 no longer uses it. Beyond that, this will also make a dark mode slightly easier with its (not yet released) [color mode functionality](https://getbootstrap.com/docs/5.3/customize/color-modes/).
### Expected fix
We should migrate away from Bootstrap 4 and to 5.
### Additional context
There may be some incompatibilities due to Bootstrap now using the Dart sass compiler which supports some newer features. We may have to configure Jekyll to use [sass-embedded](https://rubygems.org/gems/sass-embedded) instead somehow, which is implemented with Dart sass :)
|
1.0
|
Migrate to Bootstrap 5 - ### Describe the problem
Bootstrap 5 is the current release Bootstrap, replacing Bootstrap 4. We use it heavily across the site and we want to make sure we stay up to date. This will also allow us to eventually drop Jquery since Bootstrap 5 no longer uses it. Beyond that, this will also make a dark mode slightly easier with its (not yet released) [color mode functionality](https://getbootstrap.com/docs/5.3/customize/color-modes/).
### Expected fix
We should migrate away from Bootstrap 4 and to 5.
### Additional context
There may be some incompatibilities due to Bootstrap now using the Dart sass compiler which supports some newer features. We may have to configure Jekyll to use [sass-embedded](https://rubygems.org/gems/sass-embedded) instead somehow, which is implemented with Dart sass :)
|
non_usab
|
migrate to bootstrap describe the problem bootstrap is the current release bootstrap replacing bootstrap we use it heavily across the site and we want to make sure we stay up to date this will also allow us to eventually drop jquery since bootstrap no longer uses it beyond that this will also make a dark mode slightly easier with its not yet released expected fix we should migrate away from bootstrap and to additional context there may be some incompatibilities due to bootstrap now using the dart sass compiler which supports some newer features we may have to configure jekyll to use instead somehow which is implemented with dart sass
| 0
|
4,642
| 3,875,429,995
|
IssuesEvent
|
2016-04-12 01:01:40
|
lionheart/openradar-mirror
|
https://api.github.com/repos/lionheart/openradar-mirror
|
opened
|
22048240: UITableView's right swipe 'Delete' isn't localized in bulgarian
|
classification:ui/usability reproducible:always status:open
|
#### Description
Summary:
When swiping a table view to delete an entry in a table view, the ‘delete’ button isn’t localized in Bulgarian
Steps to Reproduce:
1. Create a UITableView that you can remove elements
2. Enable the bulgarian language
3. Right swipe on a cell
4. It’ll show ‘Delete’ in English
Expected Results:
Show ‘Delete’ in Bulgarian
Actual Results:
‘Delete’ is shown in English
-
Product Version: iOS 9b4
Created: 2015-07-29T09:40:50.707900
Originated: 2015-07-29T11:40:00
Open Radar Link: http://www.openradar.me/22048240
|
True
|
22048240: UITableView's right swipe 'Delete' isn't localized in bulgarian - #### Description
Summary:
When swiping a table view to delete an entry in a table view, the ‘delete’ button isn’t localized in Bulgarian
Steps to Reproduce:
1. Create a UITableView that you can remove elements
2. Enable the bulgarian language
3. Right swipe on a cell
4. It’ll show ‘Delete’ in English
Expected Results:
Show ‘Delete’ in Bulgarian
Actual Results:
‘Delete’ is shown in English
-
Product Version: iOS 9b4
Created: 2015-07-29T09:40:50.707900
Originated: 2015-07-29T11:40:00
Open Radar Link: http://www.openradar.me/22048240
|
usab
|
uitableview s right swipe delete isn t localized in bulgarian description summary when swiping a table view to delete an entry in a table view the ‘delete’ button isn’t localized in bulgarian steps to reproduce create a uitableview that you can remove elements enable the bulgarian language right swipe on a cell it’ll show ‘delete’ in english expected results show ‘delete’ in bulgarian actual results ‘delete’ is shown in english product version ios created originated open radar link
| 1
|
177,704
| 6,586,636,580
|
IssuesEvent
|
2017-09-13 18:00:51
|
samsung-cnct/k2-logging-fluent-bit-daemonset
|
https://api.github.com/repos/samsung-cnct/k2-logging-fluent-bit-daemonset
|
closed
|
Add input to TAIL RKT containers
|
enhancement k2-logging-fluent-bit-daemonset priority-p1
|
Kubelet currently runs in a RKT container, logging for RKT is different than Docker.
Add a TAIL input plugin to capture logs from RKT containers: http://fluentbit.io/documentation/0.11/input/tail.html
Tag these logs appropriately
Check that logs from startup services: quay.io/samsung_cnct/setup-network-environment:v1.0.1-mv & quay.io/samsung_cnct/drunkensmee:v0.5 are also captured (will need to scan directory to grab these logs from short-lived RKT containers)
Notes: RKT logs should be found in JOURNALD directory.
|
1.0
|
Add input to TAIL RKT containers - Kubelet currently runs in a RKT container, logging for RKT is different than Docker.
Add a TAIL input plugin to capture logs from RKT containers: http://fluentbit.io/documentation/0.11/input/tail.html
Tag these logs appropriately
Check that logs from startup services: quay.io/samsung_cnct/setup-network-environment:v1.0.1-mv & quay.io/samsung_cnct/drunkensmee:v0.5 are also captured (will need to scan directory to grab these logs from short-lived RKT containers)
Notes: RKT logs should be found in JOURNALD directory.
|
non_usab
|
add input to tail rkt containers kubelet currently runs in a rkt container logging for rkt is different than docker add a tail input plugin to capture logs from rkt containers tag these logs appropriately check that logs from startup services quay io samsung cnct setup network environment mv quay io samsung cnct drunkensmee are also captured will need to scan directory to grab these logs from short lived rkt containers notes rkt logs should be found in journald directory
| 0
|
9,449
| 6,307,406,625
|
IssuesEvent
|
2017-07-22 01:02:18
|
lionheart/openradar-mirror
|
https://api.github.com/repos/lionheart/openradar-mirror
|
closed
|
32947938: iOS 11.0 (15A5304i): AirDrop settings popover is sideways
|
classification:ui/usability reproducible:always status:open
|
#### Description
Summary:
The AirDrop settings popover in the new Control Center is sideways when the iPad is in landscape orientation.
Steps to Reproduce:
1. Turn on and unlock iPad.
2. Slide up from the bottom to show Control Center.
3. Tap the AirDrop icon to show the AirDrop settings action sheet popover.
Expected Results:
Action sheet appears in normal orientation.
Actual Results:
Action sheet appears rotated 90° to the left, although its arrow is pointing at the right spot.
Version:
11.0 (15A5304i)
Notes:
Rotation bugs, amiright?
Attached video also uploaded here: https://cl.ly/lHJL
-
Product Version: 11.0 (15A5304i)
Created: 2017-06-23T15:07:50.732520
Originated: 2017-06-23T11:07:00
Open Radar Link: http://www.openradar.me/32947938
|
True
|
32947938: iOS 11.0 (15A5304i): AirDrop settings popover is sideways - #### Description
Summary:
The AirDrop settings popover in the new Control Center is sideways when the iPad is in landscape orientation.
Steps to Reproduce:
1. Turn on and unlock iPad.
2. Slide up from the bottom to show Control Center.
3. Tap the AirDrop icon to show the AirDrop settings action sheet popover.
Expected Results:
Action sheet appears in normal orientation.
Actual Results:
Action sheet appears rotated 90° to the left, although its arrow is pointing at the right spot.
Version:
11.0 (15A5304i)
Notes:
Rotation bugs, amiright?
Attached video also uploaded here: https://cl.ly/lHJL
-
Product Version: 11.0 (15A5304i)
Created: 2017-06-23T15:07:50.732520
Originated: 2017-06-23T11:07:00
Open Radar Link: http://www.openradar.me/32947938
|
usab
|
ios airdrop settings popover is sideways description summary the airdrop settings popover in the new control center is sideways when the ipad is in landscape orientation steps to reproduce turn on and unlock ipad slide up from the bottom to show control center tap the airdrop icon to show the airdrop settings action sheet popover expected results action sheet appears in normal orientation actual results action sheet appears rotated ° to the left although its arrow is pointing at the right spot version notes rotation bugs amiright attached video also uploaded here product version created originated open radar link
| 1
|
14,128
| 8,849,805,167
|
IssuesEvent
|
2019-01-08 11:18:51
|
gbif/registry-console
|
https://api.github.com/repos/gbif/registry-console
|
opened
|
line heights on prose
|
usability
|
line heights on longer pieces of texts is very high. A line height of 2.86 is unusually high. A typical is more around 1.5?

|
True
|
line heights on prose - line heights on longer pieces of texts is very high. A line height of 2.86 is unusually high. A typical is more around 1.5?

|
usab
|
line heights on prose line heights on longer pieces of texts is very high a line height of is unusually high a typical is more around
| 1
|
238,137
| 18,234,696,645
|
IssuesEvent
|
2021-10-01 04:37:56
|
seajell/seajell
|
https://api.github.com/repos/seajell/seajell
|
closed
|
Add the The SeaJell Contributors to README and main website license notice
|
documentation
|
Add The SeaJell Contributors to the README file and the main website license notice from
> License
> Copyright (c) Muhammad Hanis Irfan bin Mohd Zaid
>
> This system/project is licensed under GNU GPLv3. Each contributions to this system will be licensed under the same terms.
To
> License
> Copyright (c) 2021 Muhammad Hanis Irfan bin Mohd Zaid
> Copyright (c) 2021 The SeaJell Contributors
>
> This system/project is licensed under GNU GPLv3. Each contributions to this system will be licensed under the same terms.
- [x] README
- [x] Main website
|
1.0
|
Add the The SeaJell Contributors to README and main website license notice - Add The SeaJell Contributors to the README file and the main website license notice from
> License
> Copyright (c) Muhammad Hanis Irfan bin Mohd Zaid
>
> This system/project is licensed under GNU GPLv3. Each contributions to this system will be licensed under the same terms.
To
> License
> Copyright (c) 2021 Muhammad Hanis Irfan bin Mohd Zaid
> Copyright (c) 2021 The SeaJell Contributors
>
> This system/project is licensed under GNU GPLv3. Each contributions to this system will be licensed under the same terms.
- [x] README
- [x] Main website
|
non_usab
|
add the the seajell contributors to readme and main website license notice add the seajell contributors to the readme file and the main website license notice from license copyright c muhammad hanis irfan bin mohd zaid this system project is licensed under gnu each contributions to this system will be licensed under the same terms to license copyright c muhammad hanis irfan bin mohd zaid copyright c the seajell contributors this system project is licensed under gnu each contributions to this system will be licensed under the same terms readme main website
| 0
|
20,305
| 15,229,296,252
|
IssuesEvent
|
2021-02-18 12:43:02
|
eclipse/dirigible
|
https://api.github.com/repos/eclipse/dirigible
|
closed
|
[UI Improvement] Unify button labels in the 'Snapshot' tab of the 'Repository' perspective
|
component-ide enhancement usability web-ide
|
**Description**
All labels of buttons should be in title case.
**To Reproduce**
Steps to reproduce the behavior:
1. Go to 'Repository' perspective
2. Click on 'Snapshot' tab
3. Scroll down to see the buttons 'Upload all', 'Cancel all', 'Remove all'
**Expected behavior**
The labels of the buttons are in title case: 'Upload All', 'Cancel All', 'Remove All'
**Screenshots**
<img width="309" alt="2021-01-22_18-50-21" src="https://user-images.githubusercontent.com/46915717/106574663-db379800-6543-11eb-9c1b-5d72e6e3296e.png">
**Desktop:**
- OS: Windows 10
- Browser: Microsoft Edge
- Version: 88.0.705.56 (Official build) (64-bit)
|
True
|
[UI Improvement] Unify button labels in the 'Snapshot' tab of the 'Repository' perspective - **Description**
All labels of buttons should be in title case.
**To Reproduce**
Steps to reproduce the behavior:
1. Go to 'Repository' perspective
2. Click on 'Snapshot' tab
3. Scroll down to see the buttons 'Upload all', 'Cancel all', 'Remove all'
**Expected behavior**
The labels of the buttons are in title case: 'Upload All', 'Cancel All', 'Remove All'
**Screenshots**
<img width="309" alt="2021-01-22_18-50-21" src="https://user-images.githubusercontent.com/46915717/106574663-db379800-6543-11eb-9c1b-5d72e6e3296e.png">
**Desktop:**
- OS: Windows 10
- Browser: Microsoft Edge
- Version: 88.0.705.56 (Official build) (64-bit)
|
usab
|
unify button labels in the snapshot tab of the repository perspective description all labels of buttons should be in title case to reproduce steps to reproduce the behavior go to repository perspective click on snapshot tab scroll down to see the buttons upload all cancel all remove all expected behavior the labels of the buttons are in title case upload all cancel all remove all screenshots img width alt src desktop os windows browser microsoft edge version official build bit
| 1
|
84,286
| 10,368,893,147
|
IssuesEvent
|
2019-09-07 20:51:09
|
matplotlib/matplotlib
|
https://api.github.com/repos/matplotlib/matplotlib
|
closed
|
Check if point is in path or not by contains_point
|
Documentation
|
I tried to use `contains_point` method of `Patch` to check if some point is inside the closed path, e.g.
I defined an ellipse with the center, width, height and angle parameters:
```Python
>>> from matplotlib.patches import Ellipse
>>> e1 = Ellipse((3,5), 10, 8, 20)
>>> e1.contains_point((3,5))
True
```
The last line prints out `True`, which means the center is in the defined ellipse. But after I added the `e1` to an axes, the same line just print out `False`, e.g.
```Python
>>> import matplotlib.pyplot as plt
>>> from matplotlib.patches import Ellipse
>>> fig, ax = plt.subplots()
>>> e1 = Ellipse((3,5), 10, 8, 20)
>>> e1.contains_point((3,5))
True
>>> ax.add_patch(e1)
>>> e1.contains_point((3,5))
False
```
I'm testing the above with matplotlib of version 3.0.3. Is this a bug? Or something I did was not correct? Thanks!
|
1.0
|
Check if point is in path or not by contains_point - I tried to use `contains_point` method of `Patch` to check if some point is inside the closed path, e.g.
I defined an ellipse with the center, width, height and angle parameters:
```Python
>>> from matplotlib.patches import Ellipse
>>> e1 = Ellipse((3,5), 10, 8, 20)
>>> e1.contains_point((3,5))
True
```
The last line prints out `True`, which means the center is in the defined ellipse. But after I added the `e1` to an axes, the same line just print out `False`, e.g.
```Python
>>> import matplotlib.pyplot as plt
>>> from matplotlib.patches import Ellipse
>>> fig, ax = plt.subplots()
>>> e1 = Ellipse((3,5), 10, 8, 20)
>>> e1.contains_point((3,5))
True
>>> ax.add_patch(e1)
>>> e1.contains_point((3,5))
False
```
I'm testing the above with matplotlib of version 3.0.3. Is this a bug? Or something I did was not correct? Thanks!
|
non_usab
|
check if point is in path or not by contains point i tried to use contains point method of patch to check if some point is inside the closed path e g i defined an ellipse with the center width height and angle parameters python from matplotlib patches import ellipse ellipse contains point true the last line prints out true which means the center is in the defined ellipse but after i added the to an axes the same line just print out false e g python import matplotlib pyplot as plt from matplotlib patches import ellipse fig ax plt subplots ellipse contains point true ax add patch contains point false i m testing the above with matplotlib of version is this a bug or something i did was not correct thanks
| 0
|
9,824
| 6,443,871,818
|
IssuesEvent
|
2017-08-12 01:51:26
|
cortoproject/corto
|
https://api.github.com/repos/cortoproject/corto
|
closed
|
Object query API
|
Corto:ObjectManagement Corto:Usability
|
An API is required for querying the object store. This API shall provide a uniform mechanism for any component that requires making a selection of objects. Examples are:
- Generators (for which objects must code be generated)
- Connectors (which objects should be synchronized)
- Historian (for which objects should history be kept)
- Observers (on which objects should be triggered)
Additionally, a query API could be used in conjunction with map/reduce functionality for the purpose of data analysis.
The generator API has already built part of a selection API. This functionality shall be extended and generalized. The following features shall be part of the API:
**Selection**
- Selecting a single object
- Selecting the scope of an object
- Selecting the scope of an object (recursively)
**Filters**
- Filter on object type (all filters can be applied recursively)
- Filter on object parent (all filters can be applied recursively)
- Filter on object state
- Filter on object attributes
- Filter on object content (all filters can be applied recursively)
The filter component shall be dynamic, meaning that it will reorganize itself when contents of the query change value. For example:
```
int32 a: 10
int32 b: 20
on update a where a < b:
"$a is smaller than $b"
a := 15 // Smaller than b, triggers update
a := 20 // Equal to b, shouldn't trigger update
b := 30 // A is smaller, triggers update
```
|
True
|
Object query API - An API is required for querying the object store. This API shall provide a uniform mechanism for any component that requires making a selection of objects. Examples are:
- Generators (for which objects must code be generated)
- Connectors (which objects should be synchronized)
- Historian (for which objects should history be kept)
- Observers (on which objects should be triggered)
Additionally, a query API could be used in conjunction with map/reduce functionality for the purpose of data analysis.
The generator API has already built part of a selection API. This functionality shall be extended and generalized. The following features shall be part of the API:
**Selection**
- Selecting a single object
- Selecting the scope of an object
- Selecting the scope of an object (recursively)
**Filters**
- Filter on object type (all filters can be applied recursively)
- Filter on object parent (all filters can be applied recursively)
- Filter on object state
- Filter on object attributes
- Filter on object content (all filters can be applied recursively)
The filter component shall be dynamic, meaning that it will reorganize itself when contents of the query change value. For example:
```
int32 a: 10
int32 b: 20
on update a where a < b:
"$a is smaller than $b"
a := 15 // Smaller than b, triggers update
a := 20 // Equal to b, shouldn't trigger update
b := 30 // A is smaller, triggers update
```
|
usab
|
object query api an api is required for querying the object store this api shall provide a uniform mechanism for any component that requires making a selection of objects examples are generators for which objects must code be generated connectors which objects should be synchronized historian for which objects should history be kept observers on which objects should be triggered additionally a query api could be used in conjunction with map reduce functionality for the purpose of data analysis the generator api has already built part of a selection api this functionality shall be extended and generalized the following features shall be part of the api selection selecting a single object selecting the scope of an object selecting the scope of an object recursively filters filter on object type all filters can be applied recursively filter on object parent all filters can be applied recursively filter on object state filter on object attributes filter on object content all filters can be applied recursively the filter component shall be dynamic meaning that it will reorganize itself when contents of the query change value for example a b on update a where a b a is smaller than b a smaller than b triggers update a equal to b shouldn t trigger update b a is smaller triggers update
| 1
|
171,232
| 20,955,504,514
|
IssuesEvent
|
2022-03-27 03:23:58
|
RG4421/openedr
|
https://api.github.com/repos/RG4421/openedr
|
closed
|
CVE-2020-11023 (Medium) detected in multiple libraries - autoclosed
|
security vulnerability
|
## CVE-2020-11023 - Medium Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Libraries - <b>jquery-2.1.1.min.js</b>, <b>jquery-3.1.0.js</b>, <b>jquery-3.1.0.min.js</b>, <b>jquery-1.11.1.min.js</b></p></summary>
<p>
<details><summary><b>jquery-2.1.1.min.js</b></p></summary>
<p>JavaScript library for DOM operations</p>
<p>Library home page: <a href="https://cdnjs.cloudflare.com/ajax/libs/jquery/2.1.1/jquery.min.js">https://cdnjs.cloudflare.com/ajax/libs/jquery/2.1.1/jquery.min.js</a></p>
<p>Path to dependency file: /edrav2/eprj/jsonrpccpp/src/examples/index.html</p>
<p>Path to vulnerable library: /edrav2/eprj/jsonrpccpp/src/examples/index.html</p>
<p>
Dependency Hierarchy:
- :x: **jquery-2.1.1.min.js** (Vulnerable Library)
</details>
<details><summary><b>jquery-3.1.0.js</b></p></summary>
<p>JavaScript library for DOM operations</p>
<p>Library home page: <a href="https://cdnjs.cloudflare.com/ajax/libs/jquery/3.1.0/jquery.js">https://cdnjs.cloudflare.com/ajax/libs/jquery/3.1.0/jquery.js</a></p>
<p>Path to vulnerable library: /edrav2/eprj/boost/libs/hof/doc/html/_static/jquery-3.1.0.js,/edrav2/eprj/boost/libs/python/doc/html/numpy/_static/jquery-3.1.0.js</p>
<p>
Dependency Hierarchy:
- :x: **jquery-3.1.0.js** (Vulnerable Library)
</details>
<details><summary><b>jquery-3.1.0.min.js</b></p></summary>
<p>JavaScript library for DOM operations</p>
<p>Library home page: <a href="https://cdnjs.cloudflare.com/ajax/libs/jquery/3.1.0/jquery.min.js">https://cdnjs.cloudflare.com/ajax/libs/jquery/3.1.0/jquery.min.js</a></p>
<p>Path to dependency file: /edrav2/eprj/boost/libs/hof/doc/html/include/boost/hof/partial.html</p>
<p>Path to vulnerable library: /edrav2/eprj/boost/libs/hof/doc/html/_static/jquery.js,/edrav2/eprj/boost/libs/hof/doc/html/include/boost/hof/../../../_static/jquery.js,/edrav2/eprj/boost/libs/python/doc/html/numpy/reference/../_static/jquery.js,/edrav2/eprj/boost/libs/python/doc/html/numpy/_static/jquery.js,/edrav2/eprj/boost/libs/python/doc/html/numpy/_static/jquery.js,/edrav2/eprj/boost/libs/hof/doc/html/doc/../_static/jquery.js,/edrav2/eprj/boost/libs/hof/doc/html/_static/jquery.js,/edrav2/eprj/boost/libs/hof/doc/html/doc/src/../../_static/jquery.js,/edrav2/eprj/boost/libs/python/doc/html/numpy/tutorial/../_static/jquery.js</p>
<p>
Dependency Hierarchy:
- :x: **jquery-3.1.0.min.js** (Vulnerable Library)
</details>
<details><summary><b>jquery-1.11.1.min.js</b></p></summary>
<p>JavaScript library for DOM operations</p>
<p>Library home page: <a href="https://cdnjs.cloudflare.com/ajax/libs/jquery/1.11.1/jquery.min.js">https://cdnjs.cloudflare.com/ajax/libs/jquery/1.11.1/jquery.min.js</a></p>
<p>Path to dependency file: /edrav2/eprj/boost/libs/hana/benchmark/chart.html</p>
<p>Path to vulnerable library: /edrav2/eprj/boost/libs/hana/benchmark/chart.html</p>
<p>
Dependency Hierarchy:
- :x: **jquery-1.11.1.min.js** (Vulnerable Library)
</details>
<p>Found in HEAD commit: <a href="https://github.com/RG4421/openedr/commit/f991dbd97bf34917a1d61c43ef4b41832708779c">f991dbd97bf34917a1d61c43ef4b41832708779c</a></p>
<p>Found in base branch: <b>main</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>
In jQuery versions greater than or equal to 1.0.3 and before 3.5.0, passing HTML containing <option> elements from untrusted sources - even after sanitizing it - to one of jQuery's DOM manipulation methods (i.e. .html(), .append(), and others) may execute untrusted code. This problem is patched in jQuery 3.5.0.
<p>Publish Date: 2020-04-29
<p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2020-11023>CVE-2020-11023</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>6.1</b>)</summary>
<p>
Base Score Metrics:
- Exploitability Metrics:
- Attack Vector: Network
- Attack Complexity: Low
- Privileges Required: None
- User Interaction: Required
- Scope: Changed
- Impact Metrics:
- Confidentiality Impact: Low
- Integrity Impact: Low
- Availability Impact: None
</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://github.com/jquery/jquery/security/advisories/GHSA-jpcq-cgw6-v4j6,https://github.com/rails/jquery-rails/blob/master/CHANGELOG.md#440">https://github.com/jquery/jquery/security/advisories/GHSA-jpcq-cgw6-v4j6,https://github.com/rails/jquery-rails/blob/master/CHANGELOG.md#440</a></p>
<p>Release Date: 2020-04-29</p>
<p>Fix Resolution: jquery - 3.5.0;jquery-rails - 4.4.0</p>
</p>
</details>
<p></p>
<!-- <REMEDIATE>{"isOpenPROnVulnerability":true,"isPackageBased":true,"isDefaultBranch":true,"packages":[{"packageType":"JavaScript","packageName":"jquery","packageVersion":"2.1.1","packageFilePaths":["/edrav2/eprj/jsonrpccpp/src/examples/index.html"],"isTransitiveDependency":false,"dependencyTree":"jquery:2.1.1","isMinimumFixVersionAvailable":true,"minimumFixVersion":"jquery - 3.5.0;jquery-rails - 4.4.0","isBinary":false},{"packageType":"JavaScript","packageName":"jquery","packageVersion":"3.1.0","packageFilePaths":[],"isTransitiveDependency":false,"dependencyTree":"jquery:3.1.0","isMinimumFixVersionAvailable":true,"minimumFixVersion":"jquery - 3.5.0;jquery-rails - 4.4.0","isBinary":true},{"packageType":"JavaScript","packageName":"jquery","packageVersion":"3.1.0","packageFilePaths":["/edrav2/eprj/boost/libs/hof/doc/html/include/boost/hof/partial.html"],"isTransitiveDependency":false,"dependencyTree":"jquery:3.1.0","isMinimumFixVersionAvailable":true,"minimumFixVersion":"jquery - 3.5.0;jquery-rails - 4.4.0","isBinary":false},{"packageType":"JavaScript","packageName":"jquery","packageVersion":"1.11.1","packageFilePaths":["/edrav2/eprj/boost/libs/hana/benchmark/chart.html"],"isTransitiveDependency":false,"dependencyTree":"jquery:1.11.1","isMinimumFixVersionAvailable":true,"minimumFixVersion":"jquery - 3.5.0;jquery-rails - 4.4.0","isBinary":false}],"baseBranches":["main"],"vulnerabilityIdentifier":"CVE-2020-11023","vulnerabilityDetails":"In jQuery versions greater than or equal to 1.0.3 and before 3.5.0, passing HTML containing \u003coption\u003e elements from untrusted sources - even after sanitizing it - to one of jQuery\u0027s DOM manipulation methods (i.e. .html(), .append(), and others) may execute untrusted code. This problem is patched in jQuery 3.5.0.","vulnerabilityUrl":"https://vuln.whitesourcesoftware.com/vulnerability/CVE-2020-11023","cvss3Severity":"medium","cvss3Score":"6.1","cvss3Metrics":{"A":"None","AC":"Low","PR":"None","S":"Changed","C":"Low","UI":"Required","AV":"Network","I":"Low"},"extraData":{}}</REMEDIATE> -->
|
True
|
CVE-2020-11023 (Medium) detected in multiple libraries - autoclosed - ## CVE-2020-11023 - Medium Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Libraries - <b>jquery-2.1.1.min.js</b>, <b>jquery-3.1.0.js</b>, <b>jquery-3.1.0.min.js</b>, <b>jquery-1.11.1.min.js</b></p></summary>
<p>
<details><summary><b>jquery-2.1.1.min.js</b></p></summary>
<p>JavaScript library for DOM operations</p>
<p>Library home page: <a href="https://cdnjs.cloudflare.com/ajax/libs/jquery/2.1.1/jquery.min.js">https://cdnjs.cloudflare.com/ajax/libs/jquery/2.1.1/jquery.min.js</a></p>
<p>Path to dependency file: /edrav2/eprj/jsonrpccpp/src/examples/index.html</p>
<p>Path to vulnerable library: /edrav2/eprj/jsonrpccpp/src/examples/index.html</p>
<p>
Dependency Hierarchy:
- :x: **jquery-2.1.1.min.js** (Vulnerable Library)
</details>
<details><summary><b>jquery-3.1.0.js</b></p></summary>
<p>JavaScript library for DOM operations</p>
<p>Library home page: <a href="https://cdnjs.cloudflare.com/ajax/libs/jquery/3.1.0/jquery.js">https://cdnjs.cloudflare.com/ajax/libs/jquery/3.1.0/jquery.js</a></p>
<p>Path to vulnerable library: /edrav2/eprj/boost/libs/hof/doc/html/_static/jquery-3.1.0.js,/edrav2/eprj/boost/libs/python/doc/html/numpy/_static/jquery-3.1.0.js</p>
<p>
Dependency Hierarchy:
- :x: **jquery-3.1.0.js** (Vulnerable Library)
</details>
<details><summary><b>jquery-3.1.0.min.js</b></p></summary>
<p>JavaScript library for DOM operations</p>
<p>Library home page: <a href="https://cdnjs.cloudflare.com/ajax/libs/jquery/3.1.0/jquery.min.js">https://cdnjs.cloudflare.com/ajax/libs/jquery/3.1.0/jquery.min.js</a></p>
<p>Path to dependency file: /edrav2/eprj/boost/libs/hof/doc/html/include/boost/hof/partial.html</p>
<p>Path to vulnerable library: /edrav2/eprj/boost/libs/hof/doc/html/_static/jquery.js,/edrav2/eprj/boost/libs/hof/doc/html/include/boost/hof/../../../_static/jquery.js,/edrav2/eprj/boost/libs/python/doc/html/numpy/reference/../_static/jquery.js,/edrav2/eprj/boost/libs/python/doc/html/numpy/_static/jquery.js,/edrav2/eprj/boost/libs/python/doc/html/numpy/_static/jquery.js,/edrav2/eprj/boost/libs/hof/doc/html/doc/../_static/jquery.js,/edrav2/eprj/boost/libs/hof/doc/html/_static/jquery.js,/edrav2/eprj/boost/libs/hof/doc/html/doc/src/../../_static/jquery.js,/edrav2/eprj/boost/libs/python/doc/html/numpy/tutorial/../_static/jquery.js</p>
<p>
Dependency Hierarchy:
- :x: **jquery-3.1.0.min.js** (Vulnerable Library)
</details>
<details><summary><b>jquery-1.11.1.min.js</b></p></summary>
<p>JavaScript library for DOM operations</p>
<p>Library home page: <a href="https://cdnjs.cloudflare.com/ajax/libs/jquery/1.11.1/jquery.min.js">https://cdnjs.cloudflare.com/ajax/libs/jquery/1.11.1/jquery.min.js</a></p>
<p>Path to dependency file: /edrav2/eprj/boost/libs/hana/benchmark/chart.html</p>
<p>Path to vulnerable library: /edrav2/eprj/boost/libs/hana/benchmark/chart.html</p>
<p>
Dependency Hierarchy:
- :x: **jquery-1.11.1.min.js** (Vulnerable Library)
</details>
<p>Found in HEAD commit: <a href="https://github.com/RG4421/openedr/commit/f991dbd97bf34917a1d61c43ef4b41832708779c">f991dbd97bf34917a1d61c43ef4b41832708779c</a></p>
<p>Found in base branch: <b>main</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>
In jQuery versions greater than or equal to 1.0.3 and before 3.5.0, passing HTML containing <option> elements from untrusted sources - even after sanitizing it - to one of jQuery's DOM manipulation methods (i.e. .html(), .append(), and others) may execute untrusted code. This problem is patched in jQuery 3.5.0.
<p>Publish Date: 2020-04-29
<p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2020-11023>CVE-2020-11023</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>6.1</b>)</summary>
<p>
Base Score Metrics:
- Exploitability Metrics:
- Attack Vector: Network
- Attack Complexity: Low
- Privileges Required: None
- User Interaction: Required
- Scope: Changed
- Impact Metrics:
- Confidentiality Impact: Low
- Integrity Impact: Low
- Availability Impact: None
</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://github.com/jquery/jquery/security/advisories/GHSA-jpcq-cgw6-v4j6,https://github.com/rails/jquery-rails/blob/master/CHANGELOG.md#440">https://github.com/jquery/jquery/security/advisories/GHSA-jpcq-cgw6-v4j6,https://github.com/rails/jquery-rails/blob/master/CHANGELOG.md#440</a></p>
<p>Release Date: 2020-04-29</p>
<p>Fix Resolution: jquery - 3.5.0;jquery-rails - 4.4.0</p>
</p>
</details>
<p></p>
<!-- <REMEDIATE>{"isOpenPROnVulnerability":true,"isPackageBased":true,"isDefaultBranch":true,"packages":[{"packageType":"JavaScript","packageName":"jquery","packageVersion":"2.1.1","packageFilePaths":["/edrav2/eprj/jsonrpccpp/src/examples/index.html"],"isTransitiveDependency":false,"dependencyTree":"jquery:2.1.1","isMinimumFixVersionAvailable":true,"minimumFixVersion":"jquery - 3.5.0;jquery-rails - 4.4.0","isBinary":false},{"packageType":"JavaScript","packageName":"jquery","packageVersion":"3.1.0","packageFilePaths":[],"isTransitiveDependency":false,"dependencyTree":"jquery:3.1.0","isMinimumFixVersionAvailable":true,"minimumFixVersion":"jquery - 3.5.0;jquery-rails - 4.4.0","isBinary":true},{"packageType":"JavaScript","packageName":"jquery","packageVersion":"3.1.0","packageFilePaths":["/edrav2/eprj/boost/libs/hof/doc/html/include/boost/hof/partial.html"],"isTransitiveDependency":false,"dependencyTree":"jquery:3.1.0","isMinimumFixVersionAvailable":true,"minimumFixVersion":"jquery - 3.5.0;jquery-rails - 4.4.0","isBinary":false},{"packageType":"JavaScript","packageName":"jquery","packageVersion":"1.11.1","packageFilePaths":["/edrav2/eprj/boost/libs/hana/benchmark/chart.html"],"isTransitiveDependency":false,"dependencyTree":"jquery:1.11.1","isMinimumFixVersionAvailable":true,"minimumFixVersion":"jquery - 3.5.0;jquery-rails - 4.4.0","isBinary":false}],"baseBranches":["main"],"vulnerabilityIdentifier":"CVE-2020-11023","vulnerabilityDetails":"In jQuery versions greater than or equal to 1.0.3 and before 3.5.0, passing HTML containing \u003coption\u003e elements from untrusted sources - even after sanitizing it - to one of jQuery\u0027s DOM manipulation methods (i.e. .html(), .append(), and others) may execute untrusted code. This problem is patched in jQuery 3.5.0.","vulnerabilityUrl":"https://vuln.whitesourcesoftware.com/vulnerability/CVE-2020-11023","cvss3Severity":"medium","cvss3Score":"6.1","cvss3Metrics":{"A":"None","AC":"Low","PR":"None","S":"Changed","C":"Low","UI":"Required","AV":"Network","I":"Low"},"extraData":{}}</REMEDIATE> -->
|
non_usab
|
cve medium detected in multiple libraries autoclosed cve medium severity vulnerability vulnerable libraries jquery min js jquery js jquery min js jquery min js jquery min js javascript library for dom operations library home page a href path to dependency file eprj jsonrpccpp src examples index html path to vulnerable library eprj jsonrpccpp src examples index html dependency hierarchy x jquery min js vulnerable library jquery js javascript library for dom operations library home page a href path to vulnerable library eprj boost libs hof doc html static jquery js eprj boost libs python doc html numpy static jquery js dependency hierarchy x jquery js vulnerable library jquery min js javascript library for dom operations library home page a href path to dependency file eprj boost libs hof doc html include boost hof partial html path to vulnerable library eprj boost libs hof doc html static jquery js eprj boost libs hof doc html include boost hof static jquery js eprj boost libs python doc html numpy reference static jquery js eprj boost libs python doc html numpy static jquery js eprj boost libs python doc html numpy static jquery js eprj boost libs hof doc html doc static jquery js eprj boost libs hof doc html static jquery js eprj boost libs hof doc html doc src static jquery js eprj boost libs python doc html numpy tutorial static jquery js dependency hierarchy x jquery min js vulnerable library jquery min js javascript library for dom operations library home page a href path to dependency file eprj boost libs hana benchmark chart html path to vulnerable library eprj boost libs hana benchmark chart html dependency hierarchy x jquery min js vulnerable library found in head commit a href found in base branch main vulnerability details in jquery versions greater than or equal to and before passing html containing elements from untrusted sources even after sanitizing it to one of jquery s dom manipulation methods i e html append and others may execute untrusted code this problem is patched in jquery publish date url a href cvss score details base score metrics exploitability metrics attack vector network attack complexity low privileges required none user interaction required scope changed impact metrics confidentiality impact low integrity impact low availability impact none for more information on scores click a href suggested fix type upgrade version origin a href release date fix resolution jquery jquery rails isopenpronvulnerability true ispackagebased true isdefaultbranch true packages istransitivedependency false dependencytree jquery isminimumfixversionavailable true minimumfixversion jquery jquery rails isbinary false packagetype javascript packagename jquery packageversion packagefilepaths istransitivedependency false dependencytree jquery isminimumfixversionavailable true minimumfixversion jquery jquery rails isbinary true packagetype javascript packagename jquery packageversion packagefilepaths istransitivedependency false dependencytree jquery isminimumfixversionavailable true minimumfixversion jquery jquery rails isbinary false packagetype javascript packagename jquery packageversion packagefilepaths istransitivedependency false dependencytree jquery isminimumfixversionavailable true minimumfixversion jquery jquery rails isbinary false basebranches vulnerabilityidentifier cve vulnerabilitydetails in jquery versions greater than or equal to and before passing html containing elements from untrusted sources even after sanitizing it to one of jquery dom manipulation methods i e html append and others may execute untrusted code this problem is patched in jquery vulnerabilityurl
| 0
|
172,480
| 27,288,347,259
|
IssuesEvent
|
2023-02-23 14:59:55
|
WordPress/developer-blog-content
|
https://api.github.com/repos/WordPress/developer-blog-content
|
closed
|
Intrinsic design vs. device view points
|
flow: needs input Design
|
How Gutenberg developer implement responsiveness for the block editor.
Resources:
- [Responsive blocks & intrinsic web design](https://github.com/WordPress/gutenberg/issues/34641)
- [Everything You Know About Web Design Just Changed](https://www.youtube.com/watch?v=jBwBACbRuGY).
From conversations...
An answer to Why are there no breakpoints and responsiveness in blocks?
"The projects is implementing intrinsic design, that reacts to any screen size, and not just arbitrary break points. From there it aims to adjust typography and layouts in patterns. The first implementation is available with the Row and Stack variation of the Group block."
[Fluid Typography comes to WordPress 6.1](https://github.com/WordPress/gutenberg/pull/39529): "Fluid typography" describes how a site's font sizes adapt to every change in screen size, for example, growing larger as the viewport width increases, or smaller as it decreases."
Could emphasize how breakpoints immediately bring a lot of cognitive overhead for users, which is present in all the block libraries that do it. Furthermore, artificial breakpoints are not flexible enough (fixed sizes for mobile, tablet, web), don’t account for patterns inserted in different contexts, etc.
Page Builders, like Elementor or Beaver Builder, started five to seven years ago. Breakpoints were all that was available back then. Jen Simmons discussed Intrinsic design at the [A List Apart Event in April 2019](https://www.youtube.com/watch?v=jBwBACbRuGY)
|
1.0
|
Intrinsic design vs. device view points - How Gutenberg developer implement responsiveness for the block editor.
Resources:
- [Responsive blocks & intrinsic web design](https://github.com/WordPress/gutenberg/issues/34641)
- [Everything You Know About Web Design Just Changed](https://www.youtube.com/watch?v=jBwBACbRuGY).
From conversations...
An answer to Why are there no breakpoints and responsiveness in blocks?
"The projects is implementing intrinsic design, that reacts to any screen size, and not just arbitrary break points. From there it aims to adjust typography and layouts in patterns. The first implementation is available with the Row and Stack variation of the Group block."
[Fluid Typography comes to WordPress 6.1](https://github.com/WordPress/gutenberg/pull/39529): "Fluid typography" describes how a site's font sizes adapt to every change in screen size, for example, growing larger as the viewport width increases, or smaller as it decreases."
Could emphasize how breakpoints immediately bring a lot of cognitive overhead for users, which is present in all the block libraries that do it. Furthermore, artificial breakpoints are not flexible enough (fixed sizes for mobile, tablet, web), don’t account for patterns inserted in different contexts, etc.
Page Builders, like Elementor or Beaver Builder, started five to seven years ago. Breakpoints were all that was available back then. Jen Simmons discussed Intrinsic design at the [A List Apart Event in April 2019](https://www.youtube.com/watch?v=jBwBACbRuGY)
|
non_usab
|
intrinsic design vs device view points how gutenberg developer implement responsiveness for the block editor resources from conversations an answer to why are there no breakpoints and responsiveness in blocks the projects is implementing intrinsic design that reacts to any screen size and not just arbitrary break points from there it aims to adjust typography and layouts in patterns the first implementation is available with the row and stack variation of the group block fluid typography describes how a site s font sizes adapt to every change in screen size for example growing larger as the viewport width increases or smaller as it decreases could emphasize how breakpoints immediately bring a lot of cognitive overhead for users which is present in all the block libraries that do it furthermore artificial breakpoints are not flexible enough fixed sizes for mobile tablet web don’t account for patterns inserted in different contexts etc page builders like elementor or beaver builder started five to seven years ago breakpoints were all that was available back then jen simmons discussed intrinsic design at the
| 0
|
10,495
| 6,761,937,973
|
IssuesEvent
|
2017-10-25 05:14:07
|
ValueChart/WebValueCharts
|
https://api.github.com/repos/ValueChart/WebValueCharts
|
closed
|
Improve usability of ScoreFunction definition step
|
CREATE DIFFICULTY: Medium IMPORTANCE: High TYPE: Usability/Style
|
1. Devise a way to show and navigate through the Objective hierarchy
2. Add a toggle to invert the function
3. Inform users whether they have visited all plots
Add back immutable score functions, and indicate that they are fixed by creator.
|
True
|
Improve usability of ScoreFunction definition step - 1. Devise a way to show and navigate through the Objective hierarchy
2. Add a toggle to invert the function
3. Inform users whether they have visited all plots
Add back immutable score functions, and indicate that they are fixed by creator.
|
usab
|
improve usability of scorefunction definition step devise a way to show and navigate through the objective hierarchy add a toggle to invert the function inform users whether they have visited all plots add back immutable score functions and indicate that they are fixed by creator
| 1
|
20,614
| 15,774,043,850
|
IssuesEvent
|
2021-04-01 00:20:35
|
w3c/coga
|
https://api.github.com/repos/w3c/coga
|
closed
|
EO comments: Appendix B: Considerations for Uptake in Different Contexts and Policies
|
EO comments content-usable
|
This issue split from #199 -8
Appendix B: Considerations for Uptake in Different Contexts and Policies
Rationale: This section was confusing to most reviewers. First of all, it is lengthy and complex. (The reading grade level is 15-18.) Reviewers noticed significant repetition and lack of focus. Several questioned the relevance of this content to our understood target audience for this document. While the points are valid, the section does not seem to fit. Most reviewers did not find a logical connection to the other content. As a result, EO proposes to strengthen the policy information around COGA issues in the existing WAI resources and to include a shorter statement within this document that points to it.
EOWG input:
Remove Appendix B: Considerations for Uptake in Different Contexts and Policies.
|
True
|
EO comments: Appendix B: Considerations for Uptake in Different Contexts and Policies - This issue split from #199 -8
Appendix B: Considerations for Uptake in Different Contexts and Policies
Rationale: This section was confusing to most reviewers. First of all, it is lengthy and complex. (The reading grade level is 15-18.) Reviewers noticed significant repetition and lack of focus. Several questioned the relevance of this content to our understood target audience for this document. While the points are valid, the section does not seem to fit. Most reviewers did not find a logical connection to the other content. As a result, EO proposes to strengthen the policy information around COGA issues in the existing WAI resources and to include a shorter statement within this document that points to it.
EOWG input:
Remove Appendix B: Considerations for Uptake in Different Contexts and Policies.
|
usab
|
eo comments appendix b considerations for uptake in different contexts and policies this issue split from appendix b considerations for uptake in different contexts and policies rationale this section was confusing to most reviewers first of all it is lengthy and complex the reading grade level is reviewers noticed significant repetition and lack of focus several questioned the relevance of this content to our understood target audience for this document while the points are valid the section does not seem to fit most reviewers did not find a logical connection to the other content as a result eo proposes to strengthen the policy information around coga issues in the existing wai resources and to include a shorter statement within this document that points to it eowg input remove appendix b considerations for uptake in different contexts and policies
| 1
|
735,329
| 25,389,688,750
|
IssuesEvent
|
2022-11-22 02:16:24
|
LunarVim/LunarVim
|
https://api.github.com/repos/LunarVim/LunarVim
|
closed
|
lvimtree loses transparency when focus changes
|
bug stale low-priority
|
### Problem description
1. set transparent_window = true in lunarvim config
2. open nvim tree
3. navigate to file you want to open
4. press 'l' to open a buffer
5. lvimtree loses transparency
expected:
5. lvimtree keeps transparency ;)
colorscheme: tokyonight

### LunarVim version
rolling-099b967
### Neovim version (>= 0.8.0)
NVIM v0.8.0-1210-gd367ed9b2
### Operating system/version
Linux mint 5.4.0-126-generic
### Steps to reproduce
_No response_
### support info

### Screenshots
when opening lvimtree (leeder e)

after pressing 'l' to open file

|
1.0
|
lvimtree loses transparency when focus changes - ### Problem description
1. set transparent_window = true in lunarvim config
2. open nvim tree
3. navigate to file you want to open
4. press 'l' to open a buffer
5. lvimtree loses transparency
expected:
5. lvimtree keeps transparency ;)
colorscheme: tokyonight

### LunarVim version
rolling-099b967
### Neovim version (>= 0.8.0)
NVIM v0.8.0-1210-gd367ed9b2
### Operating system/version
Linux mint 5.4.0-126-generic
### Steps to reproduce
_No response_
### support info

### Screenshots
when opening lvimtree (leeder e)

after pressing 'l' to open file

|
non_usab
|
lvimtree loses transparency when focus changes problem description set transparent window true in lunarvim config open nvim tree navigate to file you want to open press l to open a buffer lvimtree loses transparency expected lvimtree keeps transparency colorscheme tokyonight lunarvim version rolling neovim version nvim operating system version linux mint generic steps to reproduce no response support info screenshots when opening lvimtree leeder e after pressing l to open file
| 0
|
4,753
| 3,882,220,950
|
IssuesEvent
|
2016-04-13 09:02:31
|
lionheart/openradar-mirror
|
https://api.github.com/repos/lionheart/openradar-mirror
|
opened
|
20824313: Apple Watch has no way to hide calendars
|
classification:ui/usability reproducible:always status:open
|
#### Description
Summary:
The Apple Watch calendar complication has no way to hide events from less important calendars that appear on your iPhone.
Steps to Reproduce:
Subscribe to your spouse’s iCloud calendar so you can see their appointments on your iPhone when needed.
Expected Results:
See your next event on your watch face in the Calendar complication.
Actual Results:
Half the time, see an event from your shared calendar that doesn’t apply to you.
Notes:
It would be useful either to hide a calendar, or to set it to only show events from a particular calendar. Any way to have a calendar appear on my iPhone but not on the watch face would make the calendar complication much more useful.
-
Product Version: 1.0 (12S507)
Created: 2015-05-05T20:44:55.362510
Originated: 2015-05-05T13:44:00
Open Radar Link: http://www.openradar.me/20824313
|
True
|
20824313: Apple Watch has no way to hide calendars - #### Description
Summary:
The Apple Watch calendar complication has no way to hide events from less important calendars that appear on your iPhone.
Steps to Reproduce:
Subscribe to your spouse’s iCloud calendar so you can see their appointments on your iPhone when needed.
Expected Results:
See your next event on your watch face in the Calendar complication.
Actual Results:
Half the time, see an event from your shared calendar that doesn’t apply to you.
Notes:
It would be useful either to hide a calendar, or to set it to only show events from a particular calendar. Any way to have a calendar appear on my iPhone but not on the watch face would make the calendar complication much more useful.
-
Product Version: 1.0 (12S507)
Created: 2015-05-05T20:44:55.362510
Originated: 2015-05-05T13:44:00
Open Radar Link: http://www.openradar.me/20824313
|
usab
|
apple watch has no way to hide calendars description summary the apple watch calendar complication has no way to hide events from less important calendars that appear on your iphone steps to reproduce subscribe to your spouse’s icloud calendar so you can see their appointments on your iphone when needed expected results see your next event on your watch face in the calendar complication actual results half the time see an event from your shared calendar that doesn’t apply to you notes it would be useful either to hide a calendar or to set it to only show events from a particular calendar any way to have a calendar appear on my iphone but not on the watch face would make the calendar complication much more useful product version created originated open radar link
| 1
|
6,381
| 4,259,502,937
|
IssuesEvent
|
2016-07-11 11:22:31
|
coreos/rkt
|
https://api.github.com/repos/coreos/rkt
|
opened
|
gc: too many files opened
|
area/usability component/store kind/bug
|
**Environment**
```
rkt Version: 1.10.0
appc Version: 0.8.5
Go Version: go1.6.2
Go OS/Arch: linux/amd64
Features: -TPM
--
Linux 4.6.3-coreos x86_64
--
NAME=CoreOS
ID=coreos
VERSION=1097.0.0
VERSION_ID=1097.0.0
BUILD_ID=2016-07-02-0145
PRETTY_NAME="CoreOS 1097.0.0 (MoreOS)"
ANSI_COLOR="1;32"
HOME_URL="https://coreos.com/"
BUG_REPORT_URL="https://github.com/coreos/bugs/issues"
--
systemd 229
+PAM +AUDIT +SELINUX +IMA -APPARMOR +SMACK -SYSVINIT +UTMP +LIBCRYPTSETUP +GCRYPT -GNUTLS -ACL +XZ -LZ4 +SECCOMP +BLKID -ELFUTILS +KMOD -IDN
```
```cat /proc/sys/fs/file-max
1000000000
```
**What did you do?**
```rkt gc --grace-period=0```
**What did you expect to see?**
https://github.com/coreos/rkt/blob/57167291fa8bb4c3d6e6f4e9bade645399794dff/rkt/image_gc.go#L51 closing the store and thus releasing the storeLock.
**What did you see instead?**
```gc: cannot open store: too many open files```
|
True
|
gc: too many files opened - **Environment**
```
rkt Version: 1.10.0
appc Version: 0.8.5
Go Version: go1.6.2
Go OS/Arch: linux/amd64
Features: -TPM
--
Linux 4.6.3-coreos x86_64
--
NAME=CoreOS
ID=coreos
VERSION=1097.0.0
VERSION_ID=1097.0.0
BUILD_ID=2016-07-02-0145
PRETTY_NAME="CoreOS 1097.0.0 (MoreOS)"
ANSI_COLOR="1;32"
HOME_URL="https://coreos.com/"
BUG_REPORT_URL="https://github.com/coreos/bugs/issues"
--
systemd 229
+PAM +AUDIT +SELINUX +IMA -APPARMOR +SMACK -SYSVINIT +UTMP +LIBCRYPTSETUP +GCRYPT -GNUTLS -ACL +XZ -LZ4 +SECCOMP +BLKID -ELFUTILS +KMOD -IDN
```
```cat /proc/sys/fs/file-max
1000000000
```
**What did you do?**
```rkt gc --grace-period=0```
**What did you expect to see?**
https://github.com/coreos/rkt/blob/57167291fa8bb4c3d6e6f4e9bade645399794dff/rkt/image_gc.go#L51 closing the store and thus releasing the storeLock.
**What did you see instead?**
```gc: cannot open store: too many open files```
|
usab
|
gc too many files opened environment rkt version appc version go version go os arch linux features tpm linux coreos name coreos id coreos version version id build id pretty name coreos moreos ansi color home url bug report url systemd pam audit selinux ima apparmor smack sysvinit utmp libcryptsetup gcrypt gnutls acl xz seccomp blkid elfutils kmod idn cat proc sys fs file max what did you do rkt gc grace period what did you expect to see closing the store and thus releasing the storelock what did you see instead gc cannot open store too many open files
| 1
|
168,252
| 13,067,495,148
|
IssuesEvent
|
2020-07-31 00:38:33
|
ayumi-cloud/oc-security-module
|
https://api.github.com/repos/ayumi-cloud/oc-security-module
|
closed
|
Add option in settings to turn on/off query strings in frontend and backend
|
Add to Blacklist Add to Whitelist FINSIHED Firewall Priority: High Testing - Passed enhancement
|
### Enhancement idea
- [x] Add option in settings to turn on/off query strings in the frontend.
- [x] Add option in settings to turn on/off query strings in the backend.
- [x] Add option in settings to turn on/off query strings on `index.php` (fine tuning things) a lot of attacks targeting it.
- [x] Finish testing and patched various security issues, apply updated module to all test servers and monitor attacks.

|
1.0
|
Add option in settings to turn on/off query strings in frontend and backend - ### Enhancement idea
- [x] Add option in settings to turn on/off query strings in the frontend.
- [x] Add option in settings to turn on/off query strings in the backend.
- [x] Add option in settings to turn on/off query strings on `index.php` (fine tuning things) a lot of attacks targeting it.
- [x] Finish testing and patched various security issues, apply updated module to all test servers and monitor attacks.

|
non_usab
|
add option in settings to turn on off query strings in frontend and backend enhancement idea add option in settings to turn on off query strings in the frontend add option in settings to turn on off query strings in the backend add option in settings to turn on off query strings on index php fine tuning things a lot of attacks targeting it finish testing and patched various security issues apply updated module to all test servers and monitor attacks
| 0
|
15,238
| 9,889,262,506
|
IssuesEvent
|
2019-06-25 13:26:40
|
openstreetmap/iD
|
https://api.github.com/repos/openstreetmap/iD
|
closed
|
Curb preset icons
|
usability
|
The curb presets should each have unique icons that convey the shape of the curb. This will help users decide which one to use and let them differentiate curb features on the map at a glance
<img width="380" alt="Screen Shot 2019-03-21 at 4 13 47 PM" src="https://user-images.githubusercontent.com/2046746/54782095-76dfe980-4bf4-11e9-9a1b-5136fc4630e8.png">
|
True
|
Curb preset icons - The curb presets should each have unique icons that convey the shape of the curb. This will help users decide which one to use and let them differentiate curb features on the map at a glance
<img width="380" alt="Screen Shot 2019-03-21 at 4 13 47 PM" src="https://user-images.githubusercontent.com/2046746/54782095-76dfe980-4bf4-11e9-9a1b-5136fc4630e8.png">
|
usab
|
curb preset icons the curb presets should each have unique icons that convey the shape of the curb this will help users decide which one to use and let them differentiate curb features on the map at a glance img width alt screen shot at pm src
| 1
|
493,662
| 14,236,719,247
|
IssuesEvent
|
2020-11-18 16:19:36
|
BioKIC/NEON-Biorepository
|
https://api.github.com/repos/BioKIC/NEON-Biorepository
|
closed
|
Allow use of same sampleID acrosss sampleClasses when uploading records
|
Failed API Harvest priority
|
Currently the biorepo portal does not permit upload of samples with duplicate sampleIDs.
I'm requesting that we adjust this constraint to filter for unique values by "sampleID + sampleClass" instead. This will permit use of the same sampleID across classes, where appropriate. In this case the samples in question are the pinned mosquito specimen and the DNA extracted from that specimen.
|
1.0
|
Allow use of same sampleID acrosss sampleClasses when uploading records - Currently the biorepo portal does not permit upload of samples with duplicate sampleIDs.
I'm requesting that we adjust this constraint to filter for unique values by "sampleID + sampleClass" instead. This will permit use of the same sampleID across classes, where appropriate. In this case the samples in question are the pinned mosquito specimen and the DNA extracted from that specimen.
|
non_usab
|
allow use of same sampleid acrosss sampleclasses when uploading records currently the biorepo portal does not permit upload of samples with duplicate sampleids i m requesting that we adjust this constraint to filter for unique values by sampleid sampleclass instead this will permit use of the same sampleid across classes where appropriate in this case the samples in question are the pinned mosquito specimen and the dna extracted from that specimen
| 0
|
55,926
| 31,235,063,216
|
IssuesEvent
|
2023-08-20 06:58:30
|
ChainSafe/lodestar
|
https://api.github.com/repos/ChainSafe/lodestar
|
closed
|
High block processor time on mainnet
|
prio-high scope-performance meta-investigate meta-bug
|
### Describe the bug
As of Jul 2023, investigate why sometimes it takes more than 1s to process a block. This consistently happens on all mainnet nodes:
<img width="793" alt="Screenshot 2023-07-24 at 09 27 42" src="https://github.com/ChainSafe/lodestar/assets/10568965/9cbe3fd7-d811-4274-9ef4-afd318181350">
### Expected behavior
Ideally it should take < 100ms
### Steps to reproduce
_No response_
### Additional context
_No response_
### Operating system
Linux
### Lodestar version or commit hash
v1.9.2
|
True
|
High block processor time on mainnet - ### Describe the bug
As of Jul 2023, investigate why sometimes it takes more than 1s to process a block. This consistently happens on all mainnet nodes:
<img width="793" alt="Screenshot 2023-07-24 at 09 27 42" src="https://github.com/ChainSafe/lodestar/assets/10568965/9cbe3fd7-d811-4274-9ef4-afd318181350">
### Expected behavior
Ideally it should take < 100ms
### Steps to reproduce
_No response_
### Additional context
_No response_
### Operating system
Linux
### Lodestar version or commit hash
v1.9.2
|
non_usab
|
high block processor time on mainnet describe the bug as of jul investigate why sometimes it takes more than to process a block this consistently happens on all mainnet nodes img width alt screenshot at src expected behavior ideally it should take steps to reproduce no response additional context no response operating system linux lodestar version or commit hash
| 0
|
18,535
| 13,019,256,881
|
IssuesEvent
|
2020-07-26 21:32:32
|
godotengine/godot
|
https://api.github.com/repos/godotengine/godot
|
closed
|
add .md files to resorce in export
|
bug topic:import usability
|
**Godot version:**
3.1
**OS/device including version:**
Linux Mint 19 Cinnamon x64
kernel 4.15.0-47-generic
AMD Ryzen 5 2600 Six-Core Processor × 6
NVIDIA Corporation GP106 [GeForce GTX 1060 3GB] not graphic related, though
Google Chrome Version 73.0.3683.103 (Official Version) 64 bits
**Issue description:**
I needed to add a .md file to my exports in a game, with the purpose of fulfilling some license agreement and presenting at the game's credits.
since I saw in the docs and in for that un add "*.json" at the, which I already used and works just fine, then a tried to add "*.md" file, but it doesn't work, also tried to put the entire path to the file, relative and absolute, no success.
I'm not sure if it's a bug or if it's how it was supposed to be...
**Steps to reproduce:**
1. Create a new project, add a directory of your choice, add a .md file
2. Make a quick to read this file's content and fill the label (or a RichTextLabel), like
```gdscript
var file: File = File.new()
file.open("res://LICENSES/License_Notes.md", file.READ)
var read = file.get_as_text()
file.close()
get_node("RichTextLabel").text = read
```
3. Go to the export menu, at "Resources" tab in "Files to export ...", add ```*.md```
4. Export, run the game, and see if the file was found and the label got filled
|
True
|
add .md files to resorce in export - **Godot version:**
3.1
**OS/device including version:**
Linux Mint 19 Cinnamon x64
kernel 4.15.0-47-generic
AMD Ryzen 5 2600 Six-Core Processor × 6
NVIDIA Corporation GP106 [GeForce GTX 1060 3GB] not graphic related, though
Google Chrome Version 73.0.3683.103 (Official Version) 64 bits
**Issue description:**
I needed to add a .md file to my exports in a game, with the purpose of fulfilling some license agreement and presenting at the game's credits.
since I saw in the docs and in for that un add "*.json" at the, which I already used and works just fine, then a tried to add "*.md" file, but it doesn't work, also tried to put the entire path to the file, relative and absolute, no success.
I'm not sure if it's a bug or if it's how it was supposed to be...
**Steps to reproduce:**
1. Create a new project, add a directory of your choice, add a .md file
2. Make a quick to read this file's content and fill the label (or a RichTextLabel), like
```gdscript
var file: File = File.new()
file.open("res://LICENSES/License_Notes.md", file.READ)
var read = file.get_as_text()
file.close()
get_node("RichTextLabel").text = read
```
3. Go to the export menu, at "Resources" tab in "Files to export ...", add ```*.md```
4. Export, run the game, and see if the file was found and the label got filled
|
usab
|
add md files to resorce in export godot version os device including version linux mint cinnamon kernel generic amd ryzen six core processor × nvidia corporation not graphic related though google chrome version official version bits issue description i needed to add a md file to my exports in a game with the purpose of fulfilling some license agreement and presenting at the game s credits since i saw in the docs and in for that un add json at the which i already used and works just fine then a tried to add md file but it doesn t work also tried to put the entire path to the file relative and absolute no success i m not sure if it s a bug or if it s how it was supposed to be steps to reproduce create a new project add a directory of your choice add a md file make a quick to read this file s content and fill the label or a richtextlabel like gdscript var file file file new file open res licenses license notes md file read var read file get as text file close get node richtextlabel text read go to the export menu at resources tab in files to export add md export run the game and see if the file was found and the label got filled
| 1
|
237,631
| 18,165,999,133
|
IssuesEvent
|
2021-09-27 14:40:27
|
acm-mu/abacus
|
https://api.github.com/repos/acm-mu/abacus
|
closed
|
Create general diagram of Abacus
|
documentation
|
## Summary
- There should be a high level diagram made that shows the architecture of Abacus
|
1.0
|
Create general diagram of Abacus - ## Summary
- There should be a high level diagram made that shows the architecture of Abacus
|
non_usab
|
create general diagram of abacus summary there should be a high level diagram made that shows the architecture of abacus
| 0
|
211,049
| 16,167,252,759
|
IssuesEvent
|
2021-05-01 18:58:10
|
michael-milette/moodle-filter_filtercodes
|
https://api.github.com/repos/michael-milette/moodle-filter_filtercodes
|
closed
|
Custom Profile Field with value of 0 shows nth instead of 0
|
bug testing required
|
**Moodle 3.10**
We set a custom profile field for Credit with the default value of 0. When using {profile_field_shortname}, it shows only when the credit is more than 0 & shows nth when it's 0.
|
1.0
|
Custom Profile Field with value of 0 shows nth instead of 0 - **Moodle 3.10**
We set a custom profile field for Credit with the default value of 0. When using {profile_field_shortname}, it shows only when the credit is more than 0 & shows nth when it's 0.
|
non_usab
|
custom profile field with value of shows nth instead of moodle we set a custom profile field for credit with the default value of when using profile field shortname it shows only when the credit is more than shows nth when it s
| 0
|
5,507
| 3,602,763,386
|
IssuesEvent
|
2016-02-03 16:40:47
|
go-lang-plugin-org/go-lang-idea-plugin
|
https://api.github.com/repos/go-lang-plugin-org/go-lang-idea-plugin
|
closed
|
go build interrupted
|
building
|
- What version of Go plugin are you using?
0.10.749
- What version of IDEA are you using?
IntelliJ 15.03 Ultimate (win10)
- What version of Java are you using?
Oracle JDK 8 - 1.8.0_66
- What did you do?
So I started by installing the latest plugin via Browser Repositories -> Selecting Go (Custom Languages)
I imported several Go programs via "Import Project" and everything seemed to work OK.
(autocomplete, build, run, etc..)
Then I went and upgraded the plugin doing:
Browser Repositories -> Manage Repositories -> Added https://plugins.jetbrains.com/plugins/alpha/5047 and selected 0.10.1068
I then tried to import another Go program and when I selected "Build main.go and run" I got a little yellow popup prompting "go build interrupted"
I attempted to revert back to the previous plug-in by uninstalling and installing but now I constantly get "go build interrupted" even for projects that used to run.
Furthermore, now when I try to import some go program using the "Import Wizard" I get 2 entries in the Project SDK screen:
Go 1.5.3
Go 1.5.3 (1) (1.5.3)
How can I completely remove any memory of the plugin from IntelliJ so I can do a fresh install of the 0.10.749 plugin?
Thanks!
|
1.0
|
go build interrupted - - What version of Go plugin are you using?
0.10.749
- What version of IDEA are you using?
IntelliJ 15.03 Ultimate (win10)
- What version of Java are you using?
Oracle JDK 8 - 1.8.0_66
- What did you do?
So I started by installing the latest plugin via Browser Repositories -> Selecting Go (Custom Languages)
I imported several Go programs via "Import Project" and everything seemed to work OK.
(autocomplete, build, run, etc..)
Then I went and upgraded the plugin doing:
Browser Repositories -> Manage Repositories -> Added https://plugins.jetbrains.com/plugins/alpha/5047 and selected 0.10.1068
I then tried to import another Go program and when I selected "Build main.go and run" I got a little yellow popup prompting "go build interrupted"
I attempted to revert back to the previous plug-in by uninstalling and installing but now I constantly get "go build interrupted" even for projects that used to run.
Furthermore, now when I try to import some go program using the "Import Wizard" I get 2 entries in the Project SDK screen:
Go 1.5.3
Go 1.5.3 (1) (1.5.3)
How can I completely remove any memory of the plugin from IntelliJ so I can do a fresh install of the 0.10.749 plugin?
Thanks!
|
non_usab
|
go build interrupted what version of go plugin are you using what version of idea are you using intellij ultimate what version of java are you using oracle jdk what did you do so i started by installing the latest plugin via browser repositories selecting go custom languages i imported several go programs via import project and everything seemed to work ok autocomplete build run etc then i went and upgraded the plugin doing browser repositories manage repositories added and selected i then tried to import another go program and when i selected build main go and run i got a little yellow popup prompting go build interrupted i attempted to revert back to the previous plug in by uninstalling and installing but now i constantly get go build interrupted even for projects that used to run furthermore now when i try to import some go program using the import wizard i get entries in the project sdk screen go go how can i completely remove any memory of the plugin from intellij so i can do a fresh install of the plugin thanks
| 0
|
50,805
| 3,006,769,666
|
IssuesEvent
|
2015-07-27 12:46:43
|
BirminghamConservatoire/IntegraLive
|
https://api.github.com/repos/BirminghamConservatoire/IntegraLive
|
opened
|
Allow for different keyboard layouts in the live view
|
enhancement GUI priority low
|
The live view keyboard currently assumes a QWERTY layout. However, many users may have AZERTY or other layouts.
Ideally, the software should be able to detect keyboard layout and offer the correct layout
|
1.0
|
Allow for different keyboard layouts in the live view - The live view keyboard currently assumes a QWERTY layout. However, many users may have AZERTY or other layouts.
Ideally, the software should be able to detect keyboard layout and offer the correct layout
|
non_usab
|
allow for different keyboard layouts in the live view the live view keyboard currently assumes a qwerty layout however many users may have azerty or other layouts ideally the software should be able to detect keyboard layout and offer the correct layout
| 0
|
141,241
| 21,465,570,763
|
IssuesEvent
|
2022-04-26 03:05:48
|
Diego-Ivan/Flowtime
|
https://api.github.com/repos/Diego-Ivan/Flowtime
|
opened
|
Consider removing recoloring
|
design
|
Recoloring has been problematic at the time of development, replacing the accent color change with the old green accent that Flowtime had must be considered.
|
1.0
|
Consider removing recoloring - Recoloring has been problematic at the time of development, replacing the accent color change with the old green accent that Flowtime had must be considered.
|
non_usab
|
consider removing recoloring recoloring has been problematic at the time of development replacing the accent color change with the old green accent that flowtime had must be considered
| 0
|
10,408
| 6,714,605,625
|
IssuesEvent
|
2017-10-13 17:36:35
|
loconomics/loconomics
|
https://api.github.com/repos/loconomics/loconomics
|
closed
|
Bug S2: Time Zone not displayed on appointment cards
|
C: Usability F: Booking
|
### Description
Users are confused when traveling what time zone the appointment is in.
### To-do
- add time zone to appointment and booking cards

|
True
|
Bug S2: Time Zone not displayed on appointment cards - ### Description
Users are confused when traveling what time zone the appointment is in.
### To-do
- add time zone to appointment and booking cards

|
usab
|
bug time zone not displayed on appointment cards description users are confused when traveling what time zone the appointment is in to do add time zone to appointment and booking cards
| 1
|
23,798
| 22,828,476,744
|
IssuesEvent
|
2022-07-12 10:44:24
|
HumanRightsWatch/VHS
|
https://api.github.com/repos/HumanRightsWatch/VHS
|
opened
|
Collections responsive when you add new content to them
|
usability
|
Would it be possible - when you have added a new video to a collection that the collection moves to the top of the list of the collections? As I know have so many to scroll through I'm realising how useful this would be.
|
True
|
Collections responsive when you add new content to them - Would it be possible - when you have added a new video to a collection that the collection moves to the top of the list of the collections? As I know have so many to scroll through I'm realising how useful this would be.
|
usab
|
collections responsive when you add new content to them would it be possible when you have added a new video to a collection that the collection moves to the top of the list of the collections as i know have so many to scroll through i m realising how useful this would be
| 1
|
15,052
| 9,684,156,262
|
IssuesEvent
|
2019-05-23 13:11:54
|
cucapra/hbir
|
https://api.github.com/repos/cucapra/hbir
|
opened
|
Arbitrary constant declarations
|
usability
|
The AST currently lets you declare a single constant, which must be called `dim`, in the `data` section:
https://github.com/cucapra/hbir/blob/f1e0d20718233b89a2ff30e345f4316d9156c2c9/lotus/src/parser.mly#L164-L167
It should be possible to declare arbitrary constants to make HBIR programs more readable.
|
True
|
Arbitrary constant declarations - The AST currently lets you declare a single constant, which must be called `dim`, in the `data` section:
https://github.com/cucapra/hbir/blob/f1e0d20718233b89a2ff30e345f4316d9156c2c9/lotus/src/parser.mly#L164-L167
It should be possible to declare arbitrary constants to make HBIR programs more readable.
|
usab
|
arbitrary constant declarations the ast currently lets you declare a single constant which must be called dim in the data section it should be possible to declare arbitrary constants to make hbir programs more readable
| 1
|
10,576
| 6,808,393,411
|
IssuesEvent
|
2017-11-04 02:04:59
|
postmarketOS/pmbootstrap
|
https://api.github.com/repos/postmarketOS/pmbootstrap
|
closed
|
Check if work folder is inside pmbootstrap folder (not supported!)
|
enhancement pmbootstrap usability
|
I'm making efforts to port pmOS over to my old Droid 4, however when pmbootstrap is preparing to build the kernel it fails after building gcc-armhf with this message:
```
ERROR: [Errno 13] Permission denied: '/home/dominic/postmarketOS_experiments/pmbootstrap/ls/chroot_native/proc/1/cwd'
```
upon investigation of the log I see this:
```
ls/packages/x86_64/g++-armhf-6.4.0-r5.apk
ls/packages/x86_64/gcc-armhf-6.4.0-r5.apk
ls/packages/x86_64/musl-armhf-1.1.17-r1.apk
ls/packages/x86_64/musl-dev-armhf-1.1.17-r1.apk
ls/version
(005356) [17:27:02] ERROR: [Errno 13] Permission denied: '/home/dominic/postmarketOS_experiments/pmbootstrap/ls/chroot_native/proc/1/cwd'
```
Interesting... let's have a look at that file
```
ls: cannot read symbolic link ls/chroot_native/proc/1/cwd: Permission denied
lrwxrwxrwx 1 root root 0 Oct 26 17:26 ls/chroot_native/proc/1/cwd
```
You can't see it, but the file path was red, indicating a permission denied error.
I listed out the rest of the directory and saw that cwd, exe, and root were all broken.
I've done a zap, same problem. I've reinitialized, same problem. I'm actually unable to delete these files until I reboot my system and change the ownership of them, even running directly as root.
I've tried just about everything I can think of, this is a huge blocker and I haven't seen anything about it in the issues here, so my first assumption is downlevel packages used by debian, but I have no idea where to start looking.
Has anyone successfully completed the build process on Debian 8?
I've gone ahead and attached the log to this issue, in case anyone wants to try and dig through there to glean any information.
[log.txt](https://github.com/postmarketOS/pmbootstrap/files/1420148/log.txt)
|
True
|
Check if work folder is inside pmbootstrap folder (not supported!) - I'm making efforts to port pmOS over to my old Droid 4, however when pmbootstrap is preparing to build the kernel it fails after building gcc-armhf with this message:
```
ERROR: [Errno 13] Permission denied: '/home/dominic/postmarketOS_experiments/pmbootstrap/ls/chroot_native/proc/1/cwd'
```
upon investigation of the log I see this:
```
ls/packages/x86_64/g++-armhf-6.4.0-r5.apk
ls/packages/x86_64/gcc-armhf-6.4.0-r5.apk
ls/packages/x86_64/musl-armhf-1.1.17-r1.apk
ls/packages/x86_64/musl-dev-armhf-1.1.17-r1.apk
ls/version
(005356) [17:27:02] ERROR: [Errno 13] Permission denied: '/home/dominic/postmarketOS_experiments/pmbootstrap/ls/chroot_native/proc/1/cwd'
```
Interesting... let's have a look at that file
```
ls: cannot read symbolic link ls/chroot_native/proc/1/cwd: Permission denied
lrwxrwxrwx 1 root root 0 Oct 26 17:26 ls/chroot_native/proc/1/cwd
```
You can't see it, but the file path was red, indicating a permission denied error.
I listed out the rest of the directory and saw that cwd, exe, and root were all broken.
I've done a zap, same problem. I've reinitialized, same problem. I'm actually unable to delete these files until I reboot my system and change the ownership of them, even running directly as root.
I've tried just about everything I can think of, this is a huge blocker and I haven't seen anything about it in the issues here, so my first assumption is downlevel packages used by debian, but I have no idea where to start looking.
Has anyone successfully completed the build process on Debian 8?
I've gone ahead and attached the log to this issue, in case anyone wants to try and dig through there to glean any information.
[log.txt](https://github.com/postmarketOS/pmbootstrap/files/1420148/log.txt)
|
usab
|
check if work folder is inside pmbootstrap folder not supported i m making efforts to port pmos over to my old droid however when pmbootstrap is preparing to build the kernel it fails after building gcc armhf with this message error permission denied home dominic postmarketos experiments pmbootstrap ls chroot native proc cwd upon investigation of the log i see this ls packages g armhf apk ls packages gcc armhf apk ls packages musl armhf apk ls packages musl dev armhf apk ls version error permission denied home dominic postmarketos experiments pmbootstrap ls chroot native proc cwd interesting let s have a look at that file ls cannot read symbolic link ls chroot native proc cwd permission denied lrwxrwxrwx root root oct ls chroot native proc cwd you can t see it but the file path was red indicating a permission denied error i listed out the rest of the directory and saw that cwd exe and root were all broken i ve done a zap same problem i ve reinitialized same problem i m actually unable to delete these files until i reboot my system and change the ownership of them even running directly as root i ve tried just about everything i can think of this is a huge blocker and i haven t seen anything about it in the issues here so my first assumption is downlevel packages used by debian but i have no idea where to start looking has anyone successfully completed the build process on debian i ve gone ahead and attached the log to this issue in case anyone wants to try and dig through there to glean any information
| 1
|
54,068
| 13,894,676,818
|
IssuesEvent
|
2020-10-19 14:57:37
|
jgeraigery/thingworx-gitbackup-extension
|
https://api.github.com/repos/jgeraigery/thingworx-gitbackup-extension
|
opened
|
CVE-2019-16942 (High) detected in jackson-databind-2.9.8.jar
|
security vulnerability
|
## CVE-2019-16942 - High Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>jackson-databind-2.9.8.jar</b></p></summary>
<p>General data-binding functionality for Jackson: works on core streaming API</p>
<p>Library home page: <a href="http://github.com/FasterXML/jackson">http://github.com/FasterXML/jackson</a></p>
<p>Path to vulnerable library: thingworx-gitbackup-extension/twx-lib/jackson-databind-2.9.8.jar</p>
<p>
Dependency Hierarchy:
- :x: **jackson-databind-2.9.8.jar** (Vulnerable Library)
<p>Found in HEAD commit: <a href="https://github.com/jgeraigery/thingworx-gitbackup-extension/commit/a274c5bf23bad29fe832613963ebac660dbc17bb">a274c5bf23bad29fe832613963ebac660dbc17bb</a></p>
<p>Found in base branch: <b>master</b></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>
A Polymorphic Typing issue was discovered in FasterXML jackson-databind 2.0.0 through 2.9.10. When Default Typing is enabled (either globally or for a specific property) for an externally exposed JSON endpoint and the service has the commons-dbcp (1.4) jar in the classpath, and an attacker can find an RMI service endpoint to access, it is possible to make the service execute a malicious payload. This issue exists because of org.apache.commons.dbcp.datasources.SharedPoolDataSource and org.apache.commons.dbcp.datasources.PerUserPoolDataSource mishandling.
<p>Publish Date: 2019-10-01
<p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2019-16942>CVE-2019-16942</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>9.8</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: 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="https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2019-16942">https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2019-16942</a></p>
<p>Release Date: 2019-10-01</p>
<p>Fix Resolution: com.fasterxml.jackson.core:jackson-databind:2.6.7.3,2.7.9.7,2.8.11.5,2.9.10.1</p>
</p>
</details>
<p></p>
***
:rescue_worker_helmet: Automatic Remediation is available for this issue
<!-- <REMEDIATE>{"isOpenPROnVulnerability":true,"isPackageBased":true,"isDefaultBranch":true,"packages":[{"packageType":"Java","groupId":"com.fasterxml.jackson.core","packageName":"jackson-databind","packageVersion":"2.9.8","isTransitiveDependency":false,"dependencyTree":"com.fasterxml.jackson.core:jackson-databind:2.9.8","isMinimumFixVersionAvailable":true,"minimumFixVersion":"com.fasterxml.jackson.core:jackson-databind:2.6.7.3,2.7.9.7,2.8.11.5,2.9.10.1"}],"vulnerabilityIdentifier":"CVE-2019-16942","vulnerabilityDetails":"A Polymorphic Typing issue was discovered in FasterXML jackson-databind 2.0.0 through 2.9.10. When Default Typing is enabled (either globally or for a specific property) for an externally exposed JSON endpoint and the service has the commons-dbcp (1.4) jar in the classpath, and an attacker can find an RMI service endpoint to access, it is possible to make the service execute a malicious payload. This issue exists because of org.apache.commons.dbcp.datasources.SharedPoolDataSource and org.apache.commons.dbcp.datasources.PerUserPoolDataSource mishandling.","vulnerabilityUrl":"https://vuln.whitesourcesoftware.com/vulnerability/CVE-2019-16942","cvss3Severity":"high","cvss3Score":"9.8","cvss3Metrics":{"A":"High","AC":"Low","PR":"None","S":"Unchanged","C":"High","UI":"None","AV":"Network","I":"High"},"extraData":{}}</REMEDIATE> -->
|
True
|
CVE-2019-16942 (High) detected in jackson-databind-2.9.8.jar - ## CVE-2019-16942 - High Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>jackson-databind-2.9.8.jar</b></p></summary>
<p>General data-binding functionality for Jackson: works on core streaming API</p>
<p>Library home page: <a href="http://github.com/FasterXML/jackson">http://github.com/FasterXML/jackson</a></p>
<p>Path to vulnerable library: thingworx-gitbackup-extension/twx-lib/jackson-databind-2.9.8.jar</p>
<p>
Dependency Hierarchy:
- :x: **jackson-databind-2.9.8.jar** (Vulnerable Library)
<p>Found in HEAD commit: <a href="https://github.com/jgeraigery/thingworx-gitbackup-extension/commit/a274c5bf23bad29fe832613963ebac660dbc17bb">a274c5bf23bad29fe832613963ebac660dbc17bb</a></p>
<p>Found in base branch: <b>master</b></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>
A Polymorphic Typing issue was discovered in FasterXML jackson-databind 2.0.0 through 2.9.10. When Default Typing is enabled (either globally or for a specific property) for an externally exposed JSON endpoint and the service has the commons-dbcp (1.4) jar in the classpath, and an attacker can find an RMI service endpoint to access, it is possible to make the service execute a malicious payload. This issue exists because of org.apache.commons.dbcp.datasources.SharedPoolDataSource and org.apache.commons.dbcp.datasources.PerUserPoolDataSource mishandling.
<p>Publish Date: 2019-10-01
<p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2019-16942>CVE-2019-16942</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>9.8</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: 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="https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2019-16942">https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2019-16942</a></p>
<p>Release Date: 2019-10-01</p>
<p>Fix Resolution: com.fasterxml.jackson.core:jackson-databind:2.6.7.3,2.7.9.7,2.8.11.5,2.9.10.1</p>
</p>
</details>
<p></p>
***
:rescue_worker_helmet: Automatic Remediation is available for this issue
<!-- <REMEDIATE>{"isOpenPROnVulnerability":true,"isPackageBased":true,"isDefaultBranch":true,"packages":[{"packageType":"Java","groupId":"com.fasterxml.jackson.core","packageName":"jackson-databind","packageVersion":"2.9.8","isTransitiveDependency":false,"dependencyTree":"com.fasterxml.jackson.core:jackson-databind:2.9.8","isMinimumFixVersionAvailable":true,"minimumFixVersion":"com.fasterxml.jackson.core:jackson-databind:2.6.7.3,2.7.9.7,2.8.11.5,2.9.10.1"}],"vulnerabilityIdentifier":"CVE-2019-16942","vulnerabilityDetails":"A Polymorphic Typing issue was discovered in FasterXML jackson-databind 2.0.0 through 2.9.10. When Default Typing is enabled (either globally or for a specific property) for an externally exposed JSON endpoint and the service has the commons-dbcp (1.4) jar in the classpath, and an attacker can find an RMI service endpoint to access, it is possible to make the service execute a malicious payload. This issue exists because of org.apache.commons.dbcp.datasources.SharedPoolDataSource and org.apache.commons.dbcp.datasources.PerUserPoolDataSource mishandling.","vulnerabilityUrl":"https://vuln.whitesourcesoftware.com/vulnerability/CVE-2019-16942","cvss3Severity":"high","cvss3Score":"9.8","cvss3Metrics":{"A":"High","AC":"Low","PR":"None","S":"Unchanged","C":"High","UI":"None","AV":"Network","I":"High"},"extraData":{}}</REMEDIATE> -->
|
non_usab
|
cve high detected in jackson databind jar cve high severity vulnerability vulnerable library jackson databind jar general data binding functionality for jackson works on core streaming api library home page a href path to vulnerable library thingworx gitbackup extension twx lib jackson databind jar dependency hierarchy x jackson databind jar vulnerable library found in head commit a href found in base branch master vulnerability details a polymorphic typing issue was discovered in fasterxml jackson databind through when default typing is enabled either globally or for a specific property for an externally exposed json endpoint and the service has the commons dbcp jar in the classpath and an attacker can find an rmi service endpoint to access it is possible to make the service execute a malicious payload this issue exists because of org apache commons dbcp datasources sharedpooldatasource and org apache commons dbcp datasources peruserpooldatasource mishandling 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 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 com fasterxml jackson core jackson databind rescue worker helmet automatic remediation is available for this issue isopenpronvulnerability true ispackagebased true isdefaultbranch true packages vulnerabilityidentifier cve vulnerabilitydetails a polymorphic typing issue was discovered in fasterxml jackson databind through when default typing is enabled either globally or for a specific property for an externally exposed json endpoint and the service has the commons dbcp jar in the classpath and an attacker can find an rmi service endpoint to access it is possible to make the service execute a malicious payload this issue exists because of org apache commons dbcp datasources sharedpooldatasource and org apache commons dbcp datasources peruserpooldatasource mishandling vulnerabilityurl
| 0
|
21,714
| 17,572,206,051
|
IssuesEvent
|
2021-08-14 23:35:25
|
home-climate-control/dz
|
https://api.github.com/repos/home-climate-control/dz
|
closed
|
Swing Console: provide shortcuts to change the setpoint faster
|
annoyance Swing usability UX
|
### Existing Behavior
Up/Down arrow keys change the setpoint by a predefined delta. This delta is good for fine control, but is not good for coarse control (case in point: change the setpoint in a room that is not often used to a value that is far from the current setpoint).
### Desired Behavior
There is a way to increase the setpoint delta so that setpoint can be changed faster when using the Swing Console.
|
True
|
Swing Console: provide shortcuts to change the setpoint faster - ### Existing Behavior
Up/Down arrow keys change the setpoint by a predefined delta. This delta is good for fine control, but is not good for coarse control (case in point: change the setpoint in a room that is not often used to a value that is far from the current setpoint).
### Desired Behavior
There is a way to increase the setpoint delta so that setpoint can be changed faster when using the Swing Console.
|
usab
|
swing console provide shortcuts to change the setpoint faster existing behavior up down arrow keys change the setpoint by a predefined delta this delta is good for fine control but is not good for coarse control case in point change the setpoint in a room that is not often used to a value that is far from the current setpoint desired behavior there is a way to increase the setpoint delta so that setpoint can be changed faster when using the swing console
| 1
|
414,322
| 27,984,274,023
|
IssuesEvent
|
2023-03-26 14:16:02
|
JoaoManuelMarquesChaves/Tp1_PWM_AD
|
https://api.github.com/repos/JoaoManuelMarquesChaves/Tp1_PWM_AD
|
opened
|
gestPWM.c -> bugs et/ou remarques -> fct GPWM_ExecPWM
|
documentation duplicate question
|
voir commentaire + lien vidéo sur l'issue #6
- [ ] => voir #6 => point 2 => gestion de types => librairie
https://github.com/JoaoManuelMarquesChaves/Tp1_PWM_AD/blob/75235377d45aa67c349d07c0c986b3455bcca475/TP1/firmware/src/gestPWM.c#LL106-L107C28
- [ ] => gestion de types => calculs
https://github.com/JoaoManuelMarquesChaves/Tp1_PWM_AD/blob/75235377d45aa67c349d07c0c986b3455bcca475/TP1/firmware/src/gestPWM.c#LL134-L134C59
https://github.com/JoaoManuelMarquesChaves/Tp1_PWM_AD/blob/75235377d45aa67c349d07c0c986b3455bcca475/TP1/firmware/src/gestPWM.c#LL141C5-L141C85
https://github.com/JoaoManuelMarquesChaves/Tp1_PWM_AD/blob/75235377d45aa67c349d07c0c986b3455bcca475/TP1/firmware/src/gestPWM.c#LL143C70-L143C70
- [ ] => gestion des définition => librairie
https://github.com/JoaoManuelMarquesChaves/Tp1_PWM_AD/blob/75235377d45aa67c349d07c0c986b3455bcca475/TP1/firmware/src/gestPWM.c#LL106-L107C28
https://github.com/JoaoManuelMarquesChaves/Tp1_PWM_AD/blob/75235377d45aa67c349d07c0c986b3455bcca475/TP1/firmware/src/gestPWM.c#LL106-L107C28
- [ ] => voir #6 => point 1 => gestion des appels de fct => librairie
https://github.com/JoaoManuelMarquesChaves/Tp1_PWM_AD/blob/75235377d45aa67c349d07c0c986b3455bcca475/TP1/firmware/src/gestPWM.c#LL132-L132C45
https://github.com/JoaoManuelMarquesChaves/Tp1_PWM_AD/blob/75235377d45aa67c349d07c0c986b3455bcca475/TP1/firmware/src/gestPWM.c#LL141-L141C85
https://github.com/JoaoManuelMarquesChaves/Tp1_PWM_AD/blob/75235377d45aa67c349d07c0c986b3455bcca475/TP1/firmware/src/gestPWM.c#LL143-L143C70
- [ ] => gestion des appels de fct => paramètres entrée/sortie
https://github.com/JoaoManuelMarquesChaves/Tp1_PWM_AD/blob/75235377d45aa67c349d07c0c986b3455bcca475/TP1/firmware/src/gestPWM.c#LL136C5-L136C64
https://github.com/JoaoManuelMarquesChaves/Tp1_PWM_AD/blob/75235377d45aa67c349d07c0c986b3455bcca475/TP1/firmware/src/gestPWM.c#LL145C2-L145C64
- [ ]
|
1.0
|
gestPWM.c -> bugs et/ou remarques -> fct GPWM_ExecPWM - voir commentaire + lien vidéo sur l'issue #6
- [ ] => voir #6 => point 2 => gestion de types => librairie
https://github.com/JoaoManuelMarquesChaves/Tp1_PWM_AD/blob/75235377d45aa67c349d07c0c986b3455bcca475/TP1/firmware/src/gestPWM.c#LL106-L107C28
- [ ] => gestion de types => calculs
https://github.com/JoaoManuelMarquesChaves/Tp1_PWM_AD/blob/75235377d45aa67c349d07c0c986b3455bcca475/TP1/firmware/src/gestPWM.c#LL134-L134C59
https://github.com/JoaoManuelMarquesChaves/Tp1_PWM_AD/blob/75235377d45aa67c349d07c0c986b3455bcca475/TP1/firmware/src/gestPWM.c#LL141C5-L141C85
https://github.com/JoaoManuelMarquesChaves/Tp1_PWM_AD/blob/75235377d45aa67c349d07c0c986b3455bcca475/TP1/firmware/src/gestPWM.c#LL143C70-L143C70
- [ ] => gestion des définition => librairie
https://github.com/JoaoManuelMarquesChaves/Tp1_PWM_AD/blob/75235377d45aa67c349d07c0c986b3455bcca475/TP1/firmware/src/gestPWM.c#LL106-L107C28
https://github.com/JoaoManuelMarquesChaves/Tp1_PWM_AD/blob/75235377d45aa67c349d07c0c986b3455bcca475/TP1/firmware/src/gestPWM.c#LL106-L107C28
- [ ] => voir #6 => point 1 => gestion des appels de fct => librairie
https://github.com/JoaoManuelMarquesChaves/Tp1_PWM_AD/blob/75235377d45aa67c349d07c0c986b3455bcca475/TP1/firmware/src/gestPWM.c#LL132-L132C45
https://github.com/JoaoManuelMarquesChaves/Tp1_PWM_AD/blob/75235377d45aa67c349d07c0c986b3455bcca475/TP1/firmware/src/gestPWM.c#LL141-L141C85
https://github.com/JoaoManuelMarquesChaves/Tp1_PWM_AD/blob/75235377d45aa67c349d07c0c986b3455bcca475/TP1/firmware/src/gestPWM.c#LL143-L143C70
- [ ] => gestion des appels de fct => paramètres entrée/sortie
https://github.com/JoaoManuelMarquesChaves/Tp1_PWM_AD/blob/75235377d45aa67c349d07c0c986b3455bcca475/TP1/firmware/src/gestPWM.c#LL136C5-L136C64
https://github.com/JoaoManuelMarquesChaves/Tp1_PWM_AD/blob/75235377d45aa67c349d07c0c986b3455bcca475/TP1/firmware/src/gestPWM.c#LL145C2-L145C64
- [ ]
|
non_usab
|
gestpwm c bugs et ou remarques fct gpwm execpwm voir commentaire lien vidéo sur l issue voir point gestion de types librairie gestion de types calculs gestion des définition librairie voir point gestion des appels de fct librairie gestion des appels de fct paramètres entrée sortie
| 0
|
13,464
| 8,488,336,858
|
IssuesEvent
|
2018-10-26 16:19:18
|
hashicorp/consul
|
https://api.github.com/repos/hashicorp/consul
|
closed
|
Enhancement Idea: per-datacenter ACL entries
|
enhancement theme/acls theme/federation-usability
|
# Summary
For a variety of use cases, it would be useful to be able to specify per-datacenter rules in ACL policies. For example, given three Consul datacenters dc1, dc2, and dc3, you might want to grant token1 read access to the prefix `config/` in all three datacenters, but you might only want token2 to be able to read `config/` in dc2 or dc3, but not dc1. Currently there's no way to specify this, and a token that can read from `config/` in dc1 can read from that prefix in any other datacenter connected to the WAN pool.
# API coverage
While this seems like a pretty clear feature request for the KV API and probably the service and query APIs, I'm not sure how or if it makes sense for the event, operator, keyring APIs also covered by the ACL policy.
# Syntax
Syntax for this feature is an important consideration. There are lots of factors to consider and I'm sure I won't think of them all. Consider this just an example for clarity's sake:
There could be a `datacenters` attribute in addition to the existing `policy` attribute for an ACL entry:
key "config/" {
policy = "read"
datacenters = ["dc2","dc3"]
}
If not specified the `datacenters` attribute would probably default to the list of all datacenters which could be specified explicitly as `datacenters = ["*"]`.
It would also be nice to be able to exclude specific datacenters, perhaps like this:
key "special/" {
policy = "write"
exclude_datacenters = ["dc3"]
}
That would allow writing to the `special/` prefix from all datacenters except dc3. By default the `exclude_datacenters` property would be an empty list.
# Other Considerations
How these policies combine with inheritence might get complicated, and that might argue for a simpler and more explicit implementation than what I described above. But hopefully this can serve as a starting point for discussion.
|
True
|
Enhancement Idea: per-datacenter ACL entries - # Summary
For a variety of use cases, it would be useful to be able to specify per-datacenter rules in ACL policies. For example, given three Consul datacenters dc1, dc2, and dc3, you might want to grant token1 read access to the prefix `config/` in all three datacenters, but you might only want token2 to be able to read `config/` in dc2 or dc3, but not dc1. Currently there's no way to specify this, and a token that can read from `config/` in dc1 can read from that prefix in any other datacenter connected to the WAN pool.
# API coverage
While this seems like a pretty clear feature request for the KV API and probably the service and query APIs, I'm not sure how or if it makes sense for the event, operator, keyring APIs also covered by the ACL policy.
# Syntax
Syntax for this feature is an important consideration. There are lots of factors to consider and I'm sure I won't think of them all. Consider this just an example for clarity's sake:
There could be a `datacenters` attribute in addition to the existing `policy` attribute for an ACL entry:
key "config/" {
policy = "read"
datacenters = ["dc2","dc3"]
}
If not specified the `datacenters` attribute would probably default to the list of all datacenters which could be specified explicitly as `datacenters = ["*"]`.
It would also be nice to be able to exclude specific datacenters, perhaps like this:
key "special/" {
policy = "write"
exclude_datacenters = ["dc3"]
}
That would allow writing to the `special/` prefix from all datacenters except dc3. By default the `exclude_datacenters` property would be an empty list.
# Other Considerations
How these policies combine with inheritence might get complicated, and that might argue for a simpler and more explicit implementation than what I described above. But hopefully this can serve as a starting point for discussion.
|
usab
|
enhancement idea per datacenter acl entries summary for a variety of use cases it would be useful to be able to specify per datacenter rules in acl policies for example given three consul datacenters and you might want to grant read access to the prefix config in all three datacenters but you might only want to be able to read config in or but not currently there s no way to specify this and a token that can read from config in can read from that prefix in any other datacenter connected to the wan pool api coverage while this seems like a pretty clear feature request for the kv api and probably the service and query apis i m not sure how or if it makes sense for the event operator keyring apis also covered by the acl policy syntax syntax for this feature is an important consideration there are lots of factors to consider and i m sure i won t think of them all consider this just an example for clarity s sake there could be a datacenters attribute in addition to the existing policy attribute for an acl entry key config policy read datacenters if not specified the datacenters attribute would probably default to the list of all datacenters which could be specified explicitly as datacenters it would also be nice to be able to exclude specific datacenters perhaps like this key special policy write exclude datacenters that would allow writing to the special prefix from all datacenters except by default the exclude datacenters property would be an empty list other considerations how these policies combine with inheritence might get complicated and that might argue for a simpler and more explicit implementation than what i described above but hopefully this can serve as a starting point for discussion
| 1
|
95,635
| 8,568,324,870
|
IssuesEvent
|
2018-11-10 20:19:43
|
CS2103-AY1819S1-F11-2/main
|
https://api.github.com/repos/CS2103-AY1819S1-F11-2/main
|
closed
|
Add tests for LogInCommand
|
testing
|
Tests have to be added in:
- Storage unit
- Model unit
- Logic unit
- Utilities
|
1.0
|
Add tests for LogInCommand - Tests have to be added in:
- Storage unit
- Model unit
- Logic unit
- Utilities
|
non_usab
|
add tests for logincommand tests have to be added in storage unit model unit logic unit utilities
| 0
|
453
| 6,535,185,828
|
IssuesEvent
|
2017-08-31 13:49:09
|
Azure/azure-powershell
|
https://api.github.com/repos/Azure/azure-powershell
|
closed
|
Add-AzureRmAutomationModule and Set-AzureRmAutomationModule 'ContentLink' parameters should have the same name.
|
Automation
|
### Cmdlet(s)
`Add-AzureRmAutomationModule`
`Set-AzureRmAutomationModule`
### PowerShell Version
|Name|Value|
|--------|--------|
|PSVersion|5.1.14393.1066|
|PSEdition|Desktop|
|PSCompatibleVersions|{1.0, 2.0, 3.0, 4.0...}|
|BuildVersion|10.0.14393.1066|
|CLRVersion|4.0.30319.42000|
|WSManStackVersion|3.0|
|PSRemotingProtocolVersion|2.3|
|SerializationVersion|1.1.0.1|
### Module Version
| Name | Version |
|---|---|
| AzureRM.Automation | 2.8.0 |
### OS Version
10.0.14393.1066
### Description
Add-AzureRmAutomationModule currently has a parameter called 'ContentLink' and Set-AzureRmAutomationModule contains a parameter called 'ContentLinkUri' and 'ContentVersion'. I feel that this is unclear and inconsistent and one parameter name/set should be used. An alias could be added to avoid this being a breaking change.
|
1.0
|
Add-AzureRmAutomationModule and Set-AzureRmAutomationModule 'ContentLink' parameters should have the same name. - ### Cmdlet(s)
`Add-AzureRmAutomationModule`
`Set-AzureRmAutomationModule`
### PowerShell Version
|Name|Value|
|--------|--------|
|PSVersion|5.1.14393.1066|
|PSEdition|Desktop|
|PSCompatibleVersions|{1.0, 2.0, 3.0, 4.0...}|
|BuildVersion|10.0.14393.1066|
|CLRVersion|4.0.30319.42000|
|WSManStackVersion|3.0|
|PSRemotingProtocolVersion|2.3|
|SerializationVersion|1.1.0.1|
### Module Version
| Name | Version |
|---|---|
| AzureRM.Automation | 2.8.0 |
### OS Version
10.0.14393.1066
### Description
Add-AzureRmAutomationModule currently has a parameter called 'ContentLink' and Set-AzureRmAutomationModule contains a parameter called 'ContentLinkUri' and 'ContentVersion'. I feel that this is unclear and inconsistent and one parameter name/set should be used. An alias could be added to avoid this being a breaking change.
|
non_usab
|
add azurermautomationmodule and set azurermautomationmodule contentlink parameters should have the same name cmdlet s add azurermautomationmodule set azurermautomationmodule powershell version name value psversion psedition desktop pscompatibleversions buildversion clrversion wsmanstackversion psremotingprotocolversion serializationversion module version name version azurerm automation os version description add azurermautomationmodule currently has a parameter called contentlink and set azurermautomationmodule contains a parameter called contentlinkuri and contentversion i feel that this is unclear and inconsistent and one parameter name set should be used an alias could be added to avoid this being a breaking change
| 0
|
12,738
| 8,058,845,424
|
IssuesEvent
|
2018-08-02 19:51:47
|
triplea-game/triplea
|
https://api.github.com/repos/triplea-game/triplea
|
closed
|
Fix accidental Space bar confirmation (problem while typing, eg: chatting)
|
category: UI problem category: usability
|
Background: https://forums.triplea-game.org/topic/293/remove-space-bar-for-casualties-confirmation
Task:
- look at any place where an action can be confirmed with a single press of space bar (politics is an example). Check if:
- if it makes sense to assign a new hotkey for confirmation and space bar can be excluded
- if a second confirmation prompt would be appropriate
- if the confirmation can be made async
- if an 'undo' can easily be added so that there is no such penalty for an accidental confirmation.
- look at any place where an action can be confirmed with two space bar pressed (eg: combat casualties). Check if the UX can be improved.
Requirements:
- keep combat fast, players need to be able to confirm casualties with keyboard shortcuts quickly.
- make it very difficult if not impossible to unintentionally confirm actions (even while chatting), and/or make the cost of such accidents zero by allowing 'undo' for example
|
True
|
Fix accidental Space bar confirmation (problem while typing, eg: chatting) - Background: https://forums.triplea-game.org/topic/293/remove-space-bar-for-casualties-confirmation
Task:
- look at any place where an action can be confirmed with a single press of space bar (politics is an example). Check if:
- if it makes sense to assign a new hotkey for confirmation and space bar can be excluded
- if a second confirmation prompt would be appropriate
- if the confirmation can be made async
- if an 'undo' can easily be added so that there is no such penalty for an accidental confirmation.
- look at any place where an action can be confirmed with two space bar pressed (eg: combat casualties). Check if the UX can be improved.
Requirements:
- keep combat fast, players need to be able to confirm casualties with keyboard shortcuts quickly.
- make it very difficult if not impossible to unintentionally confirm actions (even while chatting), and/or make the cost of such accidents zero by allowing 'undo' for example
|
usab
|
fix accidental space bar confirmation problem while typing eg chatting background task look at any place where an action can be confirmed with a single press of space bar politics is an example check if if it makes sense to assign a new hotkey for confirmation and space bar can be excluded if a second confirmation prompt would be appropriate if the confirmation can be made async if an undo can easily be added so that there is no such penalty for an accidental confirmation look at any place where an action can be confirmed with two space bar pressed eg combat casualties check if the ux can be improved requirements keep combat fast players need to be able to confirm casualties with keyboard shortcuts quickly make it very difficult if not impossible to unintentionally confirm actions even while chatting and or make the cost of such accidents zero by allowing undo for example
| 1
|
26,651
| 27,046,209,833
|
IssuesEvent
|
2023-02-13 09:58:06
|
panda3d/panda3d
|
https://api.github.com/repos/panda3d/panda3d
|
closed
|
Adding task object with extraArgs fails
|
direct usability
|
## Description
When adding a taskObject back in to the task manager Panda3D crashes if the task has extraArgs.
## Steps to Reproduce
**This code works fine:**
```
def test(task):
ship.y += 0.01
return task.cont
task = base.add_task(test, 'test_task')
base.remove_task(task)
base.add_task(task)
```
**This code crashes Panda3D:** **(Results are the same when using task_mgr.remove and task_mgr.add)**
```
def test(ship, task):
ship.y += 0.01
return task.cont
task = base.add_task(test, 'test_task', extraArgs=[ship], appendTask=True)
base.remove_task(task)
base.add_task(task)
```
Console output:
> TypeError: test() missing 1 required positional argument: 'task'
> :task(error): Exception occurred in PythonTask test_task
> EXIT
> Traceback (most recent call last):
> File "/home/will/Sync/projects/panda/game/main.py", line 44, in <module>
> ez.run()
> File "/home/will/.local/lib/python3.9/site-packages/direct/showbase/ShowBase.py", line 3325, in run
> self.taskMgr.run()
> File "/home/will/.local/lib/python3.9/site-packages/direct/task/Task.py", line 541, in run
> self.step()
> File "/home/will/.local/lib/python3.9/site-packages/direct/task/Task.py", line 495, in step
> self.mgr.poll()
> TypeError: test() missing 1 required positional argument: 'task'
## Environment
* Operating system: Manjaro
* System architecture: x64
* Panda3D version: 1.10.8
* Installation method: pip
* Python version: 3.9.1
|
True
|
Adding task object with extraArgs fails - ## Description
When adding a taskObject back in to the task manager Panda3D crashes if the task has extraArgs.
## Steps to Reproduce
**This code works fine:**
```
def test(task):
ship.y += 0.01
return task.cont
task = base.add_task(test, 'test_task')
base.remove_task(task)
base.add_task(task)
```
**This code crashes Panda3D:** **(Results are the same when using task_mgr.remove and task_mgr.add)**
```
def test(ship, task):
ship.y += 0.01
return task.cont
task = base.add_task(test, 'test_task', extraArgs=[ship], appendTask=True)
base.remove_task(task)
base.add_task(task)
```
Console output:
> TypeError: test() missing 1 required positional argument: 'task'
> :task(error): Exception occurred in PythonTask test_task
> EXIT
> Traceback (most recent call last):
> File "/home/will/Sync/projects/panda/game/main.py", line 44, in <module>
> ez.run()
> File "/home/will/.local/lib/python3.9/site-packages/direct/showbase/ShowBase.py", line 3325, in run
> self.taskMgr.run()
> File "/home/will/.local/lib/python3.9/site-packages/direct/task/Task.py", line 541, in run
> self.step()
> File "/home/will/.local/lib/python3.9/site-packages/direct/task/Task.py", line 495, in step
> self.mgr.poll()
> TypeError: test() missing 1 required positional argument: 'task'
## Environment
* Operating system: Manjaro
* System architecture: x64
* Panda3D version: 1.10.8
* Installation method: pip
* Python version: 3.9.1
|
usab
|
adding task object with extraargs fails description when adding a taskobject back in to the task manager crashes if the task has extraargs steps to reproduce this code works fine def test task ship y return task cont task base add task test test task base remove task task base add task task this code crashes results are the same when using task mgr remove and task mgr add def test ship task ship y return task cont task base add task test test task extraargs appendtask true base remove task task base add task task console output typeerror test missing required positional argument task task error exception occurred in pythontask test task exit traceback most recent call last file home will sync projects panda game main py line in ez run file home will local lib site packages direct showbase showbase py line in run self taskmgr run file home will local lib site packages direct task task py line in run self step file home will local lib site packages direct task task py line in step self mgr poll typeerror test missing required positional argument task environment operating system manjaro system architecture version installation method pip python version
| 1
|
9,556
| 6,384,326,748
|
IssuesEvent
|
2017-08-03 04:23:24
|
upspin/upspin
|
https://api.github.com/repos/upspin/upspin
|
closed
|
doc: make it clear that signup works without dir/store servers
|
docs usability
|
Quoth [@davidcrawshaw](https://twitter.com/davidcrawshaw/status/834180207582072832):
> should it be enough to signup with http://key.upspin.io and then ls you? does not seem to work. do I need a dir server first?
It actually is possible to use Upspin without having a dir or store server for one's own use. If you just want to read Upspin files, you can provide any host name to the `-server` (or `-dir` and `-store`) flags.
We should think about changing the required-ness of those flags.
|
True
|
doc: make it clear that signup works without dir/store servers - Quoth [@davidcrawshaw](https://twitter.com/davidcrawshaw/status/834180207582072832):
> should it be enough to signup with http://key.upspin.io and then ls you? does not seem to work. do I need a dir server first?
It actually is possible to use Upspin without having a dir or store server for one's own use. If you just want to read Upspin files, you can provide any host name to the `-server` (or `-dir` and `-store`) flags.
We should think about changing the required-ness of those flags.
|
usab
|
doc make it clear that signup works without dir store servers quoth should it be enough to signup with and then ls you does not seem to work do i need a dir server first it actually is possible to use upspin without having a dir or store server for one s own use if you just want to read upspin files you can provide any host name to the server or dir and store flags we should think about changing the required ness of those flags
| 1
|
17,342
| 11,939,399,121
|
IssuesEvent
|
2020-04-02 15:09:20
|
humhub/humhub
|
https://api.github.com/repos/humhub/humhub
|
opened
|
Mentioning improvements
|
Component:Richtext Kind:Discussion Kind:Enhancement Require:Concept Topic:Usability
|
# Is your feature request related to a problem? Please describe.
Currently the mentioning feature is rather simplistic and just searches through all users without any order. Sometimes the actual user can't even be selected if there are too many results and
the search input can't be more specific (e.g. the user name is too short).
### Describe the solution you'd like
- [ ] Suggest users by default (visible just by typing @)
- Users mentioned recently
- Users involved in a conversation (comment section/ author of content)
- [ ] Some kind of pagination
|
True
|
Mentioning improvements - # Is your feature request related to a problem? Please describe.
Currently the mentioning feature is rather simplistic and just searches through all users without any order. Sometimes the actual user can't even be selected if there are too many results and
the search input can't be more specific (e.g. the user name is too short).
### Describe the solution you'd like
- [ ] Suggest users by default (visible just by typing @)
- Users mentioned recently
- Users involved in a conversation (comment section/ author of content)
- [ ] Some kind of pagination
|
usab
|
mentioning improvements is your feature request related to a problem please describe currently the mentioning feature is rather simplistic and just searches through all users without any order sometimes the actual user can t even be selected if there are too many results and the search input can t be more specific e g the user name is too short describe the solution you d like suggest users by default visible just by typing users mentioned recently users involved in a conversation comment section author of content some kind of pagination
| 1
|
393,085
| 11,609,916,992
|
IssuesEvent
|
2020-02-26 01:26:28
|
yidongnan/grpc-spring-boot-starter
|
https://api.github.com/repos/yidongnan/grpc-spring-boot-starter
|
closed
|
Support gRPC Java version 1.26.0+
|
enhancement high priority incompatibility
|
**The problem**
If you upgrade to gRPC Java 1.26.0 the GrpcClient annotated stub is no longer able to construct itself. It throws a NoSuchMethod exception for the constructor.
**The solution**
Revert back to 1.25.x
**Alternatives considered**
An alternative methodology of constructing this class by reflection is needed.
**Additional context**
upgraded this library’s dependencies in branch patch-1 to use 1.27.1 of grpc-java, but now i'm getting a ton of errors with this sort of exception: java.lang.NoSuchMethodException: net.devh.boot.grpc.test.proto.TestServiceGrpc$TestServiceStub.<init>(io.grpc.Channel)
|
1.0
|
Support gRPC Java version 1.26.0+ - **The problem**
If you upgrade to gRPC Java 1.26.0 the GrpcClient annotated stub is no longer able to construct itself. It throws a NoSuchMethod exception for the constructor.
**The solution**
Revert back to 1.25.x
**Alternatives considered**
An alternative methodology of constructing this class by reflection is needed.
**Additional context**
upgraded this library’s dependencies in branch patch-1 to use 1.27.1 of grpc-java, but now i'm getting a ton of errors with this sort of exception: java.lang.NoSuchMethodException: net.devh.boot.grpc.test.proto.TestServiceGrpc$TestServiceStub.<init>(io.grpc.Channel)
|
non_usab
|
support grpc java version the problem if you upgrade to grpc java the grpcclient annotated stub is no longer able to construct itself it throws a nosuchmethod exception for the constructor the solution revert back to x alternatives considered an alternative methodology of constructing this class by reflection is needed additional context upgraded this library’s dependencies in branch patch to use of grpc java but now i m getting a ton of errors with this sort of exception java lang nosuchmethodexception net devh boot grpc test proto testservicegrpc testservicestub io grpc channel
| 0
|
76,533
| 9,955,066,254
|
IssuesEvent
|
2019-07-05 09:59:38
|
bazelbuild/bazel
|
https://api.github.com/repos/bazelbuild/bazel
|
closed
|
Versioned docs: the default displayed version should be for the latest release
|
P2 team-Product type: documentation
|
This affects docs.bazel.build.
Currently, https://docs.bazel.build redirects to https://docs.bazel.build/versions/master/bazel-overview.html. This may be confusing to users, because there is a almost always a documentation drift between git-master and the latest stable.
As suggested by @mwoehlke-kitware in https://github.com/bazelbuild/bazel/issues/579#issuecomment-300582399, a better experience would be to redirect to the **latest stable version**.
|
1.0
|
Versioned docs: the default displayed version should be for the latest release - This affects docs.bazel.build.
Currently, https://docs.bazel.build redirects to https://docs.bazel.build/versions/master/bazel-overview.html. This may be confusing to users, because there is a almost always a documentation drift between git-master and the latest stable.
As suggested by @mwoehlke-kitware in https://github.com/bazelbuild/bazel/issues/579#issuecomment-300582399, a better experience would be to redirect to the **latest stable version**.
|
non_usab
|
versioned docs the default displayed version should be for the latest release this affects docs bazel build currently redirects to this may be confusing to users because there is a almost always a documentation drift between git master and the latest stable as suggested by mwoehlke kitware in a better experience would be to redirect to the latest stable version
| 0
|
18,349
| 12,807,195,381
|
IssuesEvent
|
2020-07-03 10:57:39
|
ElektraInitiative/libelektra
|
https://api.github.com/repos/ElektraInitiative/libelektra
|
closed
|
INI: Merging Does not Work
|
enhancement stale usability
|
# Description
It seems like `kdb merge` does not work correctly if we use INI as default storage.
# Steps to Reproduce the Problem
1. Configure Elektra with INI as default storage:
```sh
mkdir build
cd build
cmake .. -GNinja -DPLUGINS='ALL' -DKDB_DB_FILE='default.ini' -DKDB_DB_INIT='elektra.ini' -DKDB_DEFAULT_STORAGE=ini
```
2. Build Elektra:
```sh
ninja
```
3. Run the following commands:
```sh
kdb set user/tests/script/mergetest/ours/key init
kdb set user/tests/script/mergetest/theirs/key init
kdb set user/tests/script/mergetest/base/key init
kdb merge \
user/tests/script/mergetest/ours \
user/tests/script/mergetest/theirs \
user/tests/script/mergetest/base \
user/tests/script/mergetest/merged
```
# Expected Result
The tool `kdb merge` should produce a new key `user/tests/script/mergetest/merged` with the value `init`.
# Describe what actually happened
```
1 conflicts were detected that could not be resolved automatically:
user/tests/script/mergetest/merged/key
ours: CONFLICT_META, theirs: CONFLICT_META
Merge unsuccessful.
```
# Additional Information
- Elektra Version: master
- Jenkins Build Job: [elektra-ini-mergerequests](https://build.libelektra.org/jenkins/job/elektra-ini-mergerequests)
|
True
|
INI: Merging Does not Work - # Description
It seems like `kdb merge` does not work correctly if we use INI as default storage.
# Steps to Reproduce the Problem
1. Configure Elektra with INI as default storage:
```sh
mkdir build
cd build
cmake .. -GNinja -DPLUGINS='ALL' -DKDB_DB_FILE='default.ini' -DKDB_DB_INIT='elektra.ini' -DKDB_DEFAULT_STORAGE=ini
```
2. Build Elektra:
```sh
ninja
```
3. Run the following commands:
```sh
kdb set user/tests/script/mergetest/ours/key init
kdb set user/tests/script/mergetest/theirs/key init
kdb set user/tests/script/mergetest/base/key init
kdb merge \
user/tests/script/mergetest/ours \
user/tests/script/mergetest/theirs \
user/tests/script/mergetest/base \
user/tests/script/mergetest/merged
```
# Expected Result
The tool `kdb merge` should produce a new key `user/tests/script/mergetest/merged` with the value `init`.
# Describe what actually happened
```
1 conflicts were detected that could not be resolved automatically:
user/tests/script/mergetest/merged/key
ours: CONFLICT_META, theirs: CONFLICT_META
Merge unsuccessful.
```
# Additional Information
- Elektra Version: master
- Jenkins Build Job: [elektra-ini-mergerequests](https://build.libelektra.org/jenkins/job/elektra-ini-mergerequests)
|
usab
|
ini merging does not work description it seems like kdb merge does not work correctly if we use ini as default storage steps to reproduce the problem configure elektra with ini as default storage sh mkdir build cd build cmake gninja dplugins all dkdb db file default ini dkdb db init elektra ini dkdb default storage ini build elektra sh ninja run the following commands sh kdb set user tests script mergetest ours key init kdb set user tests script mergetest theirs key init kdb set user tests script mergetest base key init kdb merge user tests script mergetest ours user tests script mergetest theirs user tests script mergetest base user tests script mergetest merged expected result the tool kdb merge should produce a new key user tests script mergetest merged with the value init describe what actually happened conflicts were detected that could not be resolved automatically user tests script mergetest merged key ours conflict meta theirs conflict meta merge unsuccessful additional information elektra version master jenkins build job
| 1
|
216,134
| 7,301,462,990
|
IssuesEvent
|
2018-02-27 05:23:07
|
richjoyce/dissertation
|
https://api.github.com/repos/richjoyce/dissertation
|
closed
|
Talk about what is important in a cockpit
|
Chapter1 HighPriority
|
- safety critical environment
- what are the important measures (time, accuracy, workload)
- see comments on p20 and p32
|
1.0
|
Talk about what is important in a cockpit - - safety critical environment
- what are the important measures (time, accuracy, workload)
- see comments on p20 and p32
|
non_usab
|
talk about what is important in a cockpit safety critical environment what are the important measures time accuracy workload see comments on and
| 0
|
36,266
| 12,404,351,207
|
IssuesEvent
|
2020-05-21 15:23:38
|
jgeraigery/beaker-notebook
|
https://api.github.com/repos/jgeraigery/beaker-notebook
|
opened
|
WS-2017-0116 (Medium) detected in angular-v1.2.28
|
security vulnerability
|
## WS-2017-0116 - Medium Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>angular-v1.2.28</b></p></summary>
<p>null</p>
<p>Path to dependency file: /tmp/ws-scm/beaker-notebook/core/bower.json</p>
<p>Path to vulnerable library: /tmp/ws-scm/beaker-notebook/core/src/vendor/bower_components/angular/.bower.json,/beaker-notebook/core/src/vendor/bower_components/angular/.bower.json</p>
<p>
Dependency Hierarchy:
- angular-bootstrap-0.12.0 (Root Library)
- :x: **angular-v1.2.28** (Vulnerable Library)
<p>Found in HEAD commit: <a href="https://github.com/jgeraigery/beaker-notebook/commit/e74341acf643e87bd21b092c7a9e9f6bb96fa7c4">e74341acf643e87bd21b092c7a9e9f6bb96fa7c4</a></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>
The use element can reference external svg's (same origin) and can include xlink javascript urls or foreign object that can execute xss.
<p>Publish Date: 2015-12-05
<p>URL: <a href=https://github.com/angular/angular.js/commit/7a668cdd7d08a7016883eb3c671cbcd586223ae8>WS-2017-0116</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.8</b>)</summary>
<p>
Base Score Metrics:
- Exploitability Metrics:
- Attack Vector: Network
- Attack Complexity: Low
- Privileges Required: None
- User Interaction: None
- Scope: Changed
- Impact Metrics:
- Confidentiality Impact: Low
- Integrity Impact: None
- Availability Impact: None
</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: Change files</p>
<p>Origin: <a href="https://github.com/angular/angular.js/commit/7a668cdd7d08a7016883eb3c671cbcd586223ae8">https://github.com/angular/angular.js/commit/7a668cdd7d08a7016883eb3c671cbcd586223ae8</a></p>
<p>Release Date: 2015-12-06</p>
<p>Fix Resolution: Replace or update the following files: sanitize.js, sanitizeSpec.js</p>
</p>
</details>
<p></p>
<!-- <REMEDIATE>{"isOpenPROnVulnerability":false,"isPackageBased":true,"isDefaultBranch":true,"packages":[{"packageType":"javascript/Bower","packageName":"angular","packageVersion":"v1.2.28","isTransitiveDependency":true,"dependencyTree":"angular-ui:0.12.0;angular:v1.2.28","isMinimumFixVersionAvailable":false}],"vulnerabilityIdentifier":"WS-2017-0116","vulnerabilityDetails":"The use element can reference external svg\u0027s (same origin) and can include xlink javascript urls or foreign object that can execute xss.","vulnerabilityUrl":"https://github.com/angular/angular.js/commit/7a668cdd7d08a7016883eb3c671cbcd586223ae8","cvss3Severity":"medium","cvss3Score":"5.8","cvss3Metrics":{"A":"None","AC":"Low","PR":"None","S":"Changed","C":"Low","UI":"None","AV":"Network","I":"None"},"extraData":{}}</REMEDIATE> -->
|
True
|
WS-2017-0116 (Medium) detected in angular-v1.2.28 - ## WS-2017-0116 - Medium Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>angular-v1.2.28</b></p></summary>
<p>null</p>
<p>Path to dependency file: /tmp/ws-scm/beaker-notebook/core/bower.json</p>
<p>Path to vulnerable library: /tmp/ws-scm/beaker-notebook/core/src/vendor/bower_components/angular/.bower.json,/beaker-notebook/core/src/vendor/bower_components/angular/.bower.json</p>
<p>
Dependency Hierarchy:
- angular-bootstrap-0.12.0 (Root Library)
- :x: **angular-v1.2.28** (Vulnerable Library)
<p>Found in HEAD commit: <a href="https://github.com/jgeraigery/beaker-notebook/commit/e74341acf643e87bd21b092c7a9e9f6bb96fa7c4">e74341acf643e87bd21b092c7a9e9f6bb96fa7c4</a></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>
The use element can reference external svg's (same origin) and can include xlink javascript urls or foreign object that can execute xss.
<p>Publish Date: 2015-12-05
<p>URL: <a href=https://github.com/angular/angular.js/commit/7a668cdd7d08a7016883eb3c671cbcd586223ae8>WS-2017-0116</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.8</b>)</summary>
<p>
Base Score Metrics:
- Exploitability Metrics:
- Attack Vector: Network
- Attack Complexity: Low
- Privileges Required: None
- User Interaction: None
- Scope: Changed
- Impact Metrics:
- Confidentiality Impact: Low
- Integrity Impact: None
- Availability Impact: None
</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: Change files</p>
<p>Origin: <a href="https://github.com/angular/angular.js/commit/7a668cdd7d08a7016883eb3c671cbcd586223ae8">https://github.com/angular/angular.js/commit/7a668cdd7d08a7016883eb3c671cbcd586223ae8</a></p>
<p>Release Date: 2015-12-06</p>
<p>Fix Resolution: Replace or update the following files: sanitize.js, sanitizeSpec.js</p>
</p>
</details>
<p></p>
<!-- <REMEDIATE>{"isOpenPROnVulnerability":false,"isPackageBased":true,"isDefaultBranch":true,"packages":[{"packageType":"javascript/Bower","packageName":"angular","packageVersion":"v1.2.28","isTransitiveDependency":true,"dependencyTree":"angular-ui:0.12.0;angular:v1.2.28","isMinimumFixVersionAvailable":false}],"vulnerabilityIdentifier":"WS-2017-0116","vulnerabilityDetails":"The use element can reference external svg\u0027s (same origin) and can include xlink javascript urls or foreign object that can execute xss.","vulnerabilityUrl":"https://github.com/angular/angular.js/commit/7a668cdd7d08a7016883eb3c671cbcd586223ae8","cvss3Severity":"medium","cvss3Score":"5.8","cvss3Metrics":{"A":"None","AC":"Low","PR":"None","S":"Changed","C":"Low","UI":"None","AV":"Network","I":"None"},"extraData":{}}</REMEDIATE> -->
|
non_usab
|
ws medium detected in angular ws medium severity vulnerability vulnerable library angular null path to dependency file tmp ws scm beaker notebook core bower json path to vulnerable library tmp ws scm beaker notebook core src vendor bower components angular bower json beaker notebook core src vendor bower components angular bower json dependency hierarchy angular bootstrap root library x angular vulnerable library found in head commit a href vulnerability details the use element can reference external svg s same origin and can include xlink javascript urls or foreign object that can execute xss 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 changed impact metrics confidentiality impact low integrity impact none availability impact none for more information on scores click a href suggested fix type change files origin a href release date fix resolution replace or update the following files sanitize js sanitizespec js isopenpronvulnerability false ispackagebased true isdefaultbranch true packages vulnerabilityidentifier ws vulnerabilitydetails the use element can reference external svg same origin and can include xlink javascript urls or foreign object that can execute xss vulnerabilityurl
| 0
|
12,904
| 8,034,875,610
|
IssuesEvent
|
2018-07-30 00:05:31
|
PaperMC/Paper
|
https://api.github.com/repos/PaperMC/Paper
|
opened
|
1.13: Optimize World.a(double d0, double d1, double d2, double d3, Predicate<Entity> predicate)
|
accepted help wanted performance
|
This method iterates all players in a world and compares distance.
Optimize this to behave like getNearbyEntities (or use it) and only iterate potential chunks
|
True
|
1.13: Optimize World.a(double d0, double d1, double d2, double d3, Predicate<Entity> predicate) - This method iterates all players in a world and compares distance.
Optimize this to behave like getNearbyEntities (or use it) and only iterate potential chunks
|
non_usab
|
optimize world a double double double double predicate predicate this method iterates all players in a world and compares distance optimize this to behave like getnearbyentities or use it and only iterate potential chunks
| 0
|
18,225
| 12,683,992,175
|
IssuesEvent
|
2020-06-19 21:12:48
|
godotengine/godot
|
https://api.github.com/repos/godotengine/godot
|
closed
|
Space in connect dialog copied into script file causes error
|
bug junior job topic:editor topic:gdscript usability
|
**Godot version:**
3.2.1 release
**OS/device including version:**
Windows 10
**Issue description:**
Adding a space when connecting a method via GUI to a script throws a GDScript error after the name has been pasted into the script file.

The name should either be trimmed or a warning should pop up.
**Steps to reproduce:**
- Select a node and double click on a signal to open the connect dialog
- Add a space somewhere in the method name and press 'Connect'
- The method name will be pasted into the GDScript file. When opening the file an error will appear (picture above)
**Minimal reproduction project:**
Can be done in a new project
|
True
|
Space in connect dialog copied into script file causes error - **Godot version:**
3.2.1 release
**OS/device including version:**
Windows 10
**Issue description:**
Adding a space when connecting a method via GUI to a script throws a GDScript error after the name has been pasted into the script file.

The name should either be trimmed or a warning should pop up.
**Steps to reproduce:**
- Select a node and double click on a signal to open the connect dialog
- Add a space somewhere in the method name and press 'Connect'
- The method name will be pasted into the GDScript file. When opening the file an error will appear (picture above)
**Minimal reproduction project:**
Can be done in a new project
|
usab
|
space in connect dialog copied into script file causes error godot version release os device including version windows issue description adding a space when connecting a method via gui to a script throws a gdscript error after the name has been pasted into the script file the name should either be trimmed or a warning should pop up steps to reproduce select a node and double click on a signal to open the connect dialog add a space somewhere in the method name and press connect the method name will be pasted into the gdscript file when opening the file an error will appear picture above minimal reproduction project can be done in a new project
| 1
|
24,344
| 23,667,655,224
|
IssuesEvent
|
2022-08-26 23:55:35
|
godotengine/godot
|
https://api.github.com/repos/godotengine/godot
|
opened
|
Pasting TileMap node pastes tile pattern at the same time
|
bug topic:editor usability topic:2d
|
### Godot version
4808d01
### System information
Windows 10 x64
### Issue description

You won't believe how many times I accidentally placed random tiles due to this.
Pretty sure it can be used by adding a `call_deferred()` somewhere, like always.
### Steps to reproduce
1. Have some TileMap with tiles
2. Select some tiles
3. Copy them
4. Cancel
5. Copy the TileMap
6. Paste the TileMap
7. Just as you pasted, the TileMap is selected and also pastes the tiles you copied before
8. If you don't notice it and click somewhere accidentally, the pattern is "randomly" added to your newly pasted TileMap
### Minimal reproduction project
_No response_
|
True
|
Pasting TileMap node pastes tile pattern at the same time - ### Godot version
4808d01
### System information
Windows 10 x64
### Issue description

You won't believe how many times I accidentally placed random tiles due to this.
Pretty sure it can be used by adding a `call_deferred()` somewhere, like always.
### Steps to reproduce
1. Have some TileMap with tiles
2. Select some tiles
3. Copy them
4. Cancel
5. Copy the TileMap
6. Paste the TileMap
7. Just as you pasted, the TileMap is selected and also pastes the tiles you copied before
8. If you don't notice it and click somewhere accidentally, the pattern is "randomly" added to your newly pasted TileMap
### Minimal reproduction project
_No response_
|
usab
|
pasting tilemap node pastes tile pattern at the same time godot version system information windows issue description you won t believe how many times i accidentally placed random tiles due to this pretty sure it can be used by adding a call deferred somewhere like always steps to reproduce have some tilemap with tiles select some tiles copy them cancel copy the tilemap paste the tilemap just as you pasted the tilemap is selected and also pastes the tiles you copied before if you don t notice it and click somewhere accidentally the pattern is randomly added to your newly pasted tilemap minimal reproduction project no response
| 1
|
25,011
| 24,573,319,006
|
IssuesEvent
|
2022-10-13 10:18:55
|
code-kern-ai/refinery
|
https://api.github.com/repos/code-kern-ai/refinery
|
closed
|
[UX] - Startup/Update logic that is easier to extend
|
usability
|
**What would you improve?**
create a helper container to start/update the application. the current bash/bat scripts are not very easy to extend.
|
True
|
[UX] - Startup/Update logic that is easier to extend - **What would you improve?**
create a helper container to start/update the application. the current bash/bat scripts are not very easy to extend.
|
usab
|
startup update logic that is easier to extend what would you improve create a helper container to start update the application the current bash bat scripts are not very easy to extend
| 1
|
829,197
| 31,857,930,430
|
IssuesEvent
|
2023-09-15 08:49:58
|
oceanbase/odc
|
https://api.github.com/repos/oceanbase/odc
|
opened
|
[Bug]: The error log printed during PL operation is inconsistent with the error log debugged
|
type-bug priority-medium
|
### ODC version
ODC421
### OB version
Oceanbase420
### What happened?
The error log printed during PL operation is inconsistent with the error log debugged


### What did you expect to happen?
The error printing information is consistent
### How can we reproduce it (as minimally and precisely as possible)?
private chat
### Anything else we need to know?
_No response_
### Cloud
_No response_
|
1.0
|
[Bug]: The error log printed during PL operation is inconsistent with the error log debugged - ### ODC version
ODC421
### OB version
Oceanbase420
### What happened?
The error log printed during PL operation is inconsistent with the error log debugged


### What did you expect to happen?
The error printing information is consistent
### How can we reproduce it (as minimally and precisely as possible)?
private chat
### Anything else we need to know?
_No response_
### Cloud
_No response_
|
non_usab
|
the error log printed during pl operation is inconsistent with the error log debugged odc version ob version what happened the error log printed during pl operation is inconsistent with the error log debugged what did you expect to happen the error printing information is consistent how can we reproduce it as minimally and precisely as possible private chat anything else we need to know no response cloud no response
| 0
|
3,522
| 3,479,656,466
|
IssuesEvent
|
2015-12-28 22:01:31
|
lionheart/openradar-mirror
|
https://api.github.com/repos/lionheart/openradar-mirror
|
opened
|
24016734: Xcode 7.2: Scrolling gets choppy over time
|
classification:ui/usability reproducible:sometimes status:open
|
#### Description
Summary:
The longer Xcode has been open, the choppier scrolling in the source code editor gets.
Steps to Reproduce:
1. Open a project in Xcode.
2. Work on the project for, say, 5 hours over the course of a day.
3. Scroll in the source editor (no fancy panels or assistants open - just the project navigator next to the code editor, with the Variables View and Debugger visible at the bottom).
Expected Results:
Scrolling is as smooth as it was when Xcode is first launched.
Actual Results:
Scrolling is choppy. I forgot to check it with the Quartz Debug frame meter, but it looks like it’s around 15 fps. Relaunching Xcode always restores scrolling performance.
Regression:
Unknown, but it feels like this is new as of Xcode 6 or 7. It’s hard to test because it takes so long to reproduce.
Notes:
I’ve attached two Activity Monitor samples of Xcode. One is of scrolling in the editor when the issue was reproducing. Immediately after recording that sample, I relaunched Xcode, confirmed that scrolling was smooth again, and recorded another sample.
I have several plugins installed via Alcatraz. They should be visible in the attached samples. I haven’t tested whether any of them is causing this issue, since it would likely take days of careful testing to do a binary search to see if one of them is causing the issue, and I’d rather not disable them all at once because they help me work faster.
Scrolling samples also posted to http://cl.ly/eB3F
-
Product Version: Xcode 7.2 (7C68)
Created: 2015-12-28T21:27:24.247130
Originated: 2015-12-28T16:27:00
Open Radar Link: http://www.openradar.me/24016734
|
True
|
24016734: Xcode 7.2: Scrolling gets choppy over time - #### Description
Summary:
The longer Xcode has been open, the choppier scrolling in the source code editor gets.
Steps to Reproduce:
1. Open a project in Xcode.
2. Work on the project for, say, 5 hours over the course of a day.
3. Scroll in the source editor (no fancy panels or assistants open - just the project navigator next to the code editor, with the Variables View and Debugger visible at the bottom).
Expected Results:
Scrolling is as smooth as it was when Xcode is first launched.
Actual Results:
Scrolling is choppy. I forgot to check it with the Quartz Debug frame meter, but it looks like it’s around 15 fps. Relaunching Xcode always restores scrolling performance.
Regression:
Unknown, but it feels like this is new as of Xcode 6 or 7. It’s hard to test because it takes so long to reproduce.
Notes:
I’ve attached two Activity Monitor samples of Xcode. One is of scrolling in the editor when the issue was reproducing. Immediately after recording that sample, I relaunched Xcode, confirmed that scrolling was smooth again, and recorded another sample.
I have several plugins installed via Alcatraz. They should be visible in the attached samples. I haven’t tested whether any of them is causing this issue, since it would likely take days of careful testing to do a binary search to see if one of them is causing the issue, and I’d rather not disable them all at once because they help me work faster.
Scrolling samples also posted to http://cl.ly/eB3F
-
Product Version: Xcode 7.2 (7C68)
Created: 2015-12-28T21:27:24.247130
Originated: 2015-12-28T16:27:00
Open Radar Link: http://www.openradar.me/24016734
|
usab
|
xcode scrolling gets choppy over time description summary the longer xcode has been open the choppier scrolling in the source code editor gets steps to reproduce open a project in xcode work on the project for say hours over the course of a day scroll in the source editor no fancy panels or assistants open just the project navigator next to the code editor with the variables view and debugger visible at the bottom expected results scrolling is as smooth as it was when xcode is first launched actual results scrolling is choppy i forgot to check it with the quartz debug frame meter but it looks like it’s around fps relaunching xcode always restores scrolling performance regression unknown but it feels like this is new as of xcode or it’s hard to test because it takes so long to reproduce notes i’ve attached two activity monitor samples of xcode one is of scrolling in the editor when the issue was reproducing immediately after recording that sample i relaunched xcode confirmed that scrolling was smooth again and recorded another sample i have several plugins installed via alcatraz they should be visible in the attached samples i haven’t tested whether any of them is causing this issue since it would likely take days of careful testing to do a binary search to see if one of them is causing the issue and i’d rather not disable them all at once because they help me work faster scrolling samples also posted to product version xcode created originated open radar link
| 1
|
19,621
| 14,345,829,125
|
IssuesEvent
|
2020-11-28 21:01:02
|
rugk/unicodify
|
https://api.github.com/repos/rugk/unicodify
|
opened
|
Fraction replacments discussion
|
usability/UX
|
When seeing the options page I still am confused about the fraction replacement being done in two separate options.
You've already explained the difference here, @tdulcet:
> https://github.com/rugk/unicodify/pull/2#issuecomment-731033079
However, as for the options, I still feel that moving the fraction thing all in it’s own setting would be useful:
* Having `0.25` replaced by ¼ and having ¼ replaced by it satisfy the same use case, don’t they? Making math more beautiful… :stuck_out_tongue_winking_eye:
* As such, can’t we put it in it’s own setting?
People may still like the → replacement, but not the fraction stuff, so IMHO we should separate that…
|
True
|
Fraction replacments discussion - When seeing the options page I still am confused about the fraction replacement being done in two separate options.
You've already explained the difference here, @tdulcet:
> https://github.com/rugk/unicodify/pull/2#issuecomment-731033079
However, as for the options, I still feel that moving the fraction thing all in it’s own setting would be useful:
* Having `0.25` replaced by ¼ and having ¼ replaced by it satisfy the same use case, don’t they? Making math more beautiful… :stuck_out_tongue_winking_eye:
* As such, can’t we put it in it’s own setting?
People may still like the → replacement, but not the fraction stuff, so IMHO we should separate that…
|
usab
|
fraction replacments discussion when seeing the options page i still am confused about the fraction replacement being done in two separate options you ve already explained the difference here tdulcet however as for the options i still feel that moving the fraction thing all in it’s own setting would be useful having replaced by ¼ and having ¼ replaced by it satisfy the same use case don’t they making math more beautiful… stuck out tongue winking eye as such can’t we put it in it’s own setting people may still like the → replacement but not the fraction stuff so imho we should separate that…
| 1
|
21,818
| 17,796,985,242
|
IssuesEvent
|
2021-09-01 00:10:33
|
scottlamb/moonfire-nvr
|
https://api.github.com/repos/scottlamb/moonfire-nvr
|
opened
|
zero-dependencies Linux binary
|
enhancement rust usability
|
I think it's possible to produce a `moonfire-nvr` Linux binary that has no dependencies except tzdata and any remotely recent version of glibc. (Or we could try going absolutely statically linked with musl, but then we might also need to bring in jemalloc for decent performance, etc.)
We'd likely still use Docker for the build but have install instructions that don't require either Docker or compilation.
* Build in a docker environment that has a suitable old glibc to link against. see eg https://kobzol.github.io/rust/ci/2021/05/07/building-rust-binaries-in-ci-that-work-with-older-glibc.html
* Stop using ffmpeg entirely. (#37 Retina is working for me but we should work out some more camera compatibility problems before removing ffmpeg.)
* Avoid ncurses, either by completing the web interface (#35) or by using an alternate cursive backend (some success with this at #149)
* Likely compile the UI into the binary, although continue to support `--ui-dir` for development.
Caveat: on-NVR analytics support will likely be a separate binary that *won't* be so easy to make zero-dependency. We need to continue using ffmpeg or some other library for H.264 decoding, we'll likely depend on TensorFlow Lite, etc. But I think there's still value anyway in having the core system be super easy to install. Docker is its own pile of complexity for users to deal with.
|
True
|
zero-dependencies Linux binary - I think it's possible to produce a `moonfire-nvr` Linux binary that has no dependencies except tzdata and any remotely recent version of glibc. (Or we could try going absolutely statically linked with musl, but then we might also need to bring in jemalloc for decent performance, etc.)
We'd likely still use Docker for the build but have install instructions that don't require either Docker or compilation.
* Build in a docker environment that has a suitable old glibc to link against. see eg https://kobzol.github.io/rust/ci/2021/05/07/building-rust-binaries-in-ci-that-work-with-older-glibc.html
* Stop using ffmpeg entirely. (#37 Retina is working for me but we should work out some more camera compatibility problems before removing ffmpeg.)
* Avoid ncurses, either by completing the web interface (#35) or by using an alternate cursive backend (some success with this at #149)
* Likely compile the UI into the binary, although continue to support `--ui-dir` for development.
Caveat: on-NVR analytics support will likely be a separate binary that *won't* be so easy to make zero-dependency. We need to continue using ffmpeg or some other library for H.264 decoding, we'll likely depend on TensorFlow Lite, etc. But I think there's still value anyway in having the core system be super easy to install. Docker is its own pile of complexity for users to deal with.
|
usab
|
zero dependencies linux binary i think it s possible to produce a moonfire nvr linux binary that has no dependencies except tzdata and any remotely recent version of glibc or we could try going absolutely statically linked with musl but then we might also need to bring in jemalloc for decent performance etc we d likely still use docker for the build but have install instructions that don t require either docker or compilation build in a docker environment that has a suitable old glibc to link against see eg stop using ffmpeg entirely retina is working for me but we should work out some more camera compatibility problems before removing ffmpeg avoid ncurses either by completing the web interface or by using an alternate cursive backend some success with this at likely compile the ui into the binary although continue to support ui dir for development caveat on nvr analytics support will likely be a separate binary that won t be so easy to make zero dependency we need to continue using ffmpeg or some other library for h decoding we ll likely depend on tensorflow lite etc but i think there s still value anyway in having the core system be super easy to install docker is its own pile of complexity for users to deal with
| 1
|
173,296
| 6,523,283,114
|
IssuesEvent
|
2017-08-29 08:04:06
|
leo-project/leofs
|
https://api.github.com/repos/leo-project/leofs
|
closed
|
[leo_watchdog][leo_storage] Continuous warnings caused by disk usage make leo_mq stop
|
Bug Priority-MIDDLE survey _leo_storage _leo_watchdog
|
Found through the report on https://github.com/leo-project/leofs/issues/725#issuecomment-306502264.
Now when warning/error get raised from leo_watchdog, leo_storage execute this code block https://github.com/leo-project/leofs/blob/1.3.4/apps/leo_storage/src/leo_storage_watchdog_sub.erl#L83-L99, as a result leo_mq stop to consume items anymore in case warning/error(s) keep happening around a few minutes. This behavior can be problematic if the warning/error caused by the disk usage as it may take time to ensure more disk capacity or erase unnecessary files.
### What happen
**batch of msgs** get to **0** and will not go up again until the warning/error gone.
```bash
id | state | number of msgs | batch of msgs | interval | description
--------------------------------+-------------+----------------|----------------|----------------|---------------------------------------------
leo_delete_dir_queue | idling | 0 | 0 | 2800 | remove directories
leo_comp_meta_with_dc_queue | idling | 0 | 0 | 2800 | compare metadata w/remote-node
leo_sync_obj_with_dc_queue | idling | 0 | 0 | 2750 | sync objs w/remote-node
leo_recovery_node_queue | idling | 0 | 0 | 2850 | recovery objs of node
leo_async_deletion_queue | idling | 0 | 0 | 2850 | async deletion of objs
leo_rebalance_queue | idling | 0 | 0 | 2850 | rebalance objs
leo_sync_by_vnode_id_queue | idling | 0 | 0 | 2850 | sync objs by vnode-id
leo_per_object_queue | idling | 0 | 0 | 2850 | recover inconsistent objs
```
### Solution
We may have to divide leo_watchdog_disk into two
- leo_watchdog_disk_util for checking the disk utilization via iostat
- leo_watchdog_disk_usage for checking the disk usage via df
and define the handle_notify callback function for each of them and make the one for leo_watchdog_disk_usage not to control the rate to consume items in leo_mq.
|
1.0
|
[leo_watchdog][leo_storage] Continuous warnings caused by disk usage make leo_mq stop - Found through the report on https://github.com/leo-project/leofs/issues/725#issuecomment-306502264.
Now when warning/error get raised from leo_watchdog, leo_storage execute this code block https://github.com/leo-project/leofs/blob/1.3.4/apps/leo_storage/src/leo_storage_watchdog_sub.erl#L83-L99, as a result leo_mq stop to consume items anymore in case warning/error(s) keep happening around a few minutes. This behavior can be problematic if the warning/error caused by the disk usage as it may take time to ensure more disk capacity or erase unnecessary files.
### What happen
**batch of msgs** get to **0** and will not go up again until the warning/error gone.
```bash
id | state | number of msgs | batch of msgs | interval | description
--------------------------------+-------------+----------------|----------------|----------------|---------------------------------------------
leo_delete_dir_queue | idling | 0 | 0 | 2800 | remove directories
leo_comp_meta_with_dc_queue | idling | 0 | 0 | 2800 | compare metadata w/remote-node
leo_sync_obj_with_dc_queue | idling | 0 | 0 | 2750 | sync objs w/remote-node
leo_recovery_node_queue | idling | 0 | 0 | 2850 | recovery objs of node
leo_async_deletion_queue | idling | 0 | 0 | 2850 | async deletion of objs
leo_rebalance_queue | idling | 0 | 0 | 2850 | rebalance objs
leo_sync_by_vnode_id_queue | idling | 0 | 0 | 2850 | sync objs by vnode-id
leo_per_object_queue | idling | 0 | 0 | 2850 | recover inconsistent objs
```
### Solution
We may have to divide leo_watchdog_disk into two
- leo_watchdog_disk_util for checking the disk utilization via iostat
- leo_watchdog_disk_usage for checking the disk usage via df
and define the handle_notify callback function for each of them and make the one for leo_watchdog_disk_usage not to control the rate to consume items in leo_mq.
|
non_usab
|
continuous warnings caused by disk usage make leo mq stop found through the report on now when warning error get raised from leo watchdog leo storage execute this code block as a result leo mq stop to consume items anymore in case warning error s keep happening around a few minutes this behavior can be problematic if the warning error caused by the disk usage as it may take time to ensure more disk capacity or erase unnecessary files what happen batch of msgs get to and will not go up again until the warning error gone bash id state number of msgs batch of msgs interval description leo delete dir queue idling remove directories leo comp meta with dc queue idling compare metadata w remote node leo sync obj with dc queue idling sync objs w remote node leo recovery node queue idling recovery objs of node leo async deletion queue idling async deletion of objs leo rebalance queue idling rebalance objs leo sync by vnode id queue idling sync objs by vnode id leo per object queue idling recover inconsistent objs solution we may have to divide leo watchdog disk into two leo watchdog disk util for checking the disk utilization via iostat leo watchdog disk usage for checking the disk usage via df and define the handle notify callback function for each of them and make the one for leo watchdog disk usage not to control the rate to consume items in leo mq
| 0
|
98,656
| 20,774,830,748
|
IssuesEvent
|
2022-03-16 09:31:00
|
suizokukan/wisteria
|
https://api.github.com/repos/suizokukan/wisteria
|
closed
|
pimydoc: DEFAULT_REPORTFILE_NAME > $DEFAULT_REPORTFILE_NAME
|
code readibility
|
see help_xxx functions:
""".replace('DEFAULT_REPORTFILE_NAME', DEFAULT_REPORTFILE_NAME)
|
1.0
|
pimydoc: DEFAULT_REPORTFILE_NAME > $DEFAULT_REPORTFILE_NAME - see help_xxx functions:
""".replace('DEFAULT_REPORTFILE_NAME', DEFAULT_REPORTFILE_NAME)
|
non_usab
|
pimydoc default reportfile name default reportfile name see help xxx functions replace default reportfile name default reportfile name
| 0
|
326,410
| 9,956,066,894
|
IssuesEvent
|
2019-07-05 12:56:56
|
bbc/simorgh
|
https://api.github.com/repos/bbc/simorgh
|
opened
|
Pull in new version of psammead-brand
|
Refinement Needed articles-current-epic articles-features-stream high priority
|
**Is your feature request related to a problem? Please describe.**
`psammead-brand` currently does not work as expected in high contrast mode in Firefox. Work done in bbc/psammead#787 fixes this bug, and therefore following the merge of that, we should pull the new version of the component into Simorgh.
**Describe the solution you'd like**
- Pull `@bbc/psammead-brand@latest` into Simorgh
- Update snapshots
**Describe alternatives you've considered**
A clear and concise description of any alternative solutions or features you've considered.
**Testing notes**
[Tester to complete]
Dev insight: Visual regression
**Additional context**
You can test this by opening Firefox > Settings > Colours > Change dropdown to 'Always'
|
1.0
|
Pull in new version of psammead-brand - **Is your feature request related to a problem? Please describe.**
`psammead-brand` currently does not work as expected in high contrast mode in Firefox. Work done in bbc/psammead#787 fixes this bug, and therefore following the merge of that, we should pull the new version of the component into Simorgh.
**Describe the solution you'd like**
- Pull `@bbc/psammead-brand@latest` into Simorgh
- Update snapshots
**Describe alternatives you've considered**
A clear and concise description of any alternative solutions or features you've considered.
**Testing notes**
[Tester to complete]
Dev insight: Visual regression
**Additional context**
You can test this by opening Firefox > Settings > Colours > Change dropdown to 'Always'
|
non_usab
|
pull in new version of psammead brand is your feature request related to a problem please describe psammead brand currently does not work as expected in high contrast mode in firefox work done in bbc psammead fixes this bug and therefore following the merge of that we should pull the new version of the component into simorgh describe the solution you d like pull bbc psammead brand latest into simorgh update snapshots describe alternatives you ve considered a clear and concise description of any alternative solutions or features you ve considered testing notes dev insight visual regression additional context you can test this by opening firefox settings colours change dropdown to always
| 0
|
679,054
| 23,220,015,057
|
IssuesEvent
|
2022-08-02 17:15:55
|
kubernetes/minikube
|
https://api.github.com/repos/kubernetes/minikube
|
closed
|
Limit size of audit log
|
priority/important-soon kind/improvement
|
### What Happened?
after updating to v1.26 spotted the slowness of 'minikube kubectl' command
investigation shows that audit.json was greater 5mb and that causes real slowness for every command
```
>time minikube options
minikube options 16.86s user 2.37s system 266% cpu 7.219 total
```
deletion of audit.json speedup things considerably
```
minikube options 0.03s user 0.03s system 91% cpu 0.064 total
```
probably audit.json should have limit on max size and truncated when needed
### Operating System
Redhat/Fedora
### Driver
Docker
|
1.0
|
Limit size of audit log - ### What Happened?
after updating to v1.26 spotted the slowness of 'minikube kubectl' command
investigation shows that audit.json was greater 5mb and that causes real slowness for every command
```
>time minikube options
minikube options 16.86s user 2.37s system 266% cpu 7.219 total
```
deletion of audit.json speedup things considerably
```
minikube options 0.03s user 0.03s system 91% cpu 0.064 total
```
probably audit.json should have limit on max size and truncated when needed
### Operating System
Redhat/Fedora
### Driver
Docker
|
non_usab
|
limit size of audit log what happened after updating to spotted the slowness of minikube kubectl command investigation shows that audit json was greater and that causes real slowness for every command time minikube options minikube options user system cpu total deletion of audit json speedup things considerably minikube options user system cpu total probably audit json should have limit on max size and truncated when needed operating system redhat fedora driver docker
| 0
|
15,368
| 9,983,823,054
|
IssuesEvent
|
2019-07-10 13:17:45
|
godotengine/godot
|
https://api.github.com/repos/godotengine/godot
|
closed
|
Editor doesn't accept class name with dots in create script popup
|
bug topic:editor usability
|
**Godot version:** v3.1.stable.official
**OS/device including version:** Arch Linux *(kernel 5.1.12)*
**Issue description:**
When creating a GDNative script, the editor doesn't allow me to input some characters in the *Class Name* field, like dots. But this only happens in the popup: after I input a random name and then modify the class name from the Inspector, Godot saves the field without problems and successfully runs the script.

**Steps to reproduce:**
Create a GDNative script and try to specifiy a class name with dots *(`example.text`)*. Godot won't allow to create the script, but when the script is created, it's possible to save the same class name from the Inspector
|
True
|
Editor doesn't accept class name with dots in create script popup - **Godot version:** v3.1.stable.official
**OS/device including version:** Arch Linux *(kernel 5.1.12)*
**Issue description:**
When creating a GDNative script, the editor doesn't allow me to input some characters in the *Class Name* field, like dots. But this only happens in the popup: after I input a random name and then modify the class name from the Inspector, Godot saves the field without problems and successfully runs the script.

**Steps to reproduce:**
Create a GDNative script and try to specifiy a class name with dots *(`example.text`)*. Godot won't allow to create the script, but when the script is created, it's possible to save the same class name from the Inspector
|
usab
|
editor doesn t accept class name with dots in create script popup godot version stable official os device including version arch linux kernel issue description when creating a gdnative script the editor doesn t allow me to input some characters in the class name field like dots but this only happens in the popup after i input a random name and then modify the class name from the inspector godot saves the field without problems and successfully runs the script steps to reproduce create a gdnative script and try to specifiy a class name with dots example text godot won t allow to create the script but when the script is created it s possible to save the same class name from the inspector
| 1
|
55,106
| 30,591,396,392
|
IssuesEvent
|
2023-07-21 17:22:30
|
Annoraaq/grid-engine
|
https://api.github.com/repos/Annoraaq/grid-engine
|
closed
|
Make closestToTarget optional in pathfinding
|
performance
|
Only determine the closestToTarget position if demanded. That way Bidirectional Search can stop as soon as one of the two BFSs has an empty queue.
|
True
|
Make closestToTarget optional in pathfinding - Only determine the closestToTarget position if demanded. That way Bidirectional Search can stop as soon as one of the two BFSs has an empty queue.
|
non_usab
|
make closesttotarget optional in pathfinding only determine the closesttotarget position if demanded that way bidirectional search can stop as soon as one of the two bfss has an empty queue
| 0
|
20,703
| 15,895,267,663
|
IssuesEvent
|
2021-04-11 13:24:43
|
defusioner/ShopList-Tracker
|
https://api.github.com/repos/defusioner/ShopList-Tracker
|
closed
|
Add checked notification with undo
|
done feature usability
|
When doing shopping, I could click on some item and check it by error.
Need to rework notifications and add an undo action.
|
True
|
Add checked notification with undo - When doing shopping, I could click on some item and check it by error.
Need to rework notifications and add an undo action.
|
usab
|
add checked notification with undo when doing shopping i could click on some item and check it by error need to rework notifications and add an undo action
| 1
|
24,577
| 23,960,394,256
|
IssuesEvent
|
2022-09-12 18:32:21
|
pulumi/pulumi-lsp
|
https://api.github.com/repos/pulumi/pulumi-lsp
|
closed
|
Publish the extension to VS Code
|
kind/enhancement impact/usability resolution/fixed
|
## Hello!
<!-- Please leave this section as-is, it's designed to help others in the community know how to interact with our GitHub issues. -->
- Vote on this issue by adding a 👍 reaction
- If you want to implement this feature, comment to let us know (we'll work with you on design, scheduling, etc.)
## Issue details
I would love to see the extension published in VS Code so that we wouldn't require manual installation. Publishing process is described here: https://code.visualstudio.com/api/working-with-extensions/publishing-extension
### Affected area/feature
Plugin installation
|
True
|
Publish the extension to VS Code - ## Hello!
<!-- Please leave this section as-is, it's designed to help others in the community know how to interact with our GitHub issues. -->
- Vote on this issue by adding a 👍 reaction
- If you want to implement this feature, comment to let us know (we'll work with you on design, scheduling, etc.)
## Issue details
I would love to see the extension published in VS Code so that we wouldn't require manual installation. Publishing process is described here: https://code.visualstudio.com/api/working-with-extensions/publishing-extension
### Affected area/feature
Plugin installation
|
usab
|
publish the extension to vs code hello vote on this issue by adding a 👍 reaction if you want to implement this feature comment to let us know we ll work with you on design scheduling etc issue details i would love to see the extension published in vs code so that we wouldn t require manual installation publishing process is described here affected area feature plugin installation
| 1
|
7,233
| 4,828,603,649
|
IssuesEvent
|
2016-11-07 16:40:09
|
ACP3/cms
|
https://api.github.com/repos/ACP3/cms
|
closed
|
[System] Add config option to purge the page cache automatically
|
modules Usability
|
The system config should be extended with a new option, where the user can select, whether the page cache should be purged automatically or manually.
|
True
|
[System] Add config option to purge the page cache automatically - The system config should be extended with a new option, where the user can select, whether the page cache should be purged automatically or manually.
|
usab
|
add config option to purge the page cache automatically the system config should be extended with a new option where the user can select whether the page cache should be purged automatically or manually
| 1
|
9,005
| 6,089,097,340
|
IssuesEvent
|
2017-06-19 03:02:52
|
lionheart/openradar-mirror
|
https://api.github.com/repos/lionheart/openradar-mirror
|
closed
|
32088593: Carrier Settings Update prompt: two spaces after period
|
classification:ui/usability reproducible:always status:open
|
#### Description
Area:
Software Update
Summary:
In the Carrier Settings Update alert on iOS, the message has two spaces after a period instead of the customary single space, as on the rest of iOS.
Steps to Reproduce:
1. Wait for a carrier settings update to appear. If you know one is available, but it hasn't popped up, go to Settings → General → About, and wait for it to appear.
Expected Results:
The text in the popup box is consistent with the style guide of the rest of iOS.
Observed Results:
The text in the popup has two spaces after the period, which is inconsistent with the rest of iOS:
Carrier Settings Update
New settings are available. Would you like to update them now?
Version:
10.3.1 (14E304)
Notes:
Attached screenshot also uploaded to https://cl.ly/kON5
Configuration:
iPhone 6s, model MKQ92LL/A on AT&T
Attachments:
-
Product Version: 10.3.1 (14E304)
Created: 2017-05-09T22:36:06.342970
Originated: 2017-05-09T18:35:00
Open Radar Link: http://www.openradar.me/32088593
|
True
|
32088593: Carrier Settings Update prompt: two spaces after period - #### Description
Area:
Software Update
Summary:
In the Carrier Settings Update alert on iOS, the message has two spaces after a period instead of the customary single space, as on the rest of iOS.
Steps to Reproduce:
1. Wait for a carrier settings update to appear. If you know one is available, but it hasn't popped up, go to Settings → General → About, and wait for it to appear.
Expected Results:
The text in the popup box is consistent with the style guide of the rest of iOS.
Observed Results:
The text in the popup has two spaces after the period, which is inconsistent with the rest of iOS:
Carrier Settings Update
New settings are available. Would you like to update them now?
Version:
10.3.1 (14E304)
Notes:
Attached screenshot also uploaded to https://cl.ly/kON5
Configuration:
iPhone 6s, model MKQ92LL/A on AT&T
Attachments:
-
Product Version: 10.3.1 (14E304)
Created: 2017-05-09T22:36:06.342970
Originated: 2017-05-09T18:35:00
Open Radar Link: http://www.openradar.me/32088593
|
usab
|
carrier settings update prompt two spaces after period description area software update summary in the carrier settings update alert on ios the message has two spaces after a period instead of the customary single space as on the rest of ios steps to reproduce wait for a carrier settings update to appear if you know one is available but it hasn t popped up go to settings → general → about and wait for it to appear expected results the text in the popup box is consistent with the style guide of the rest of ios observed results the text in the popup has two spaces after the period which is inconsistent with the rest of ios carrier settings update new settings are available would you like to update them now version notes attached screenshot also uploaded to configuration iphone model a on at t attachments product version created originated open radar link
| 1
|
14,465
| 9,199,212,982
|
IssuesEvent
|
2019-03-07 14:28:51
|
coreos/ignition
|
https://api.github.com/repos/coreos/ignition
|
reopened
|
Default files.overwrite to false
|
area/usability jira kind/friction low hanging fruit
|
# Feature Request #
## Environment ##
Any
## Desired Feature ##
`files.overwrite` defaults to true, unlike `directories.overwrite` and `links.overwrite`. Default `files.overwrite` to false for spec 3.0.
## Other Information ##
|
True
|
Default files.overwrite to false - # Feature Request #
## Environment ##
Any
## Desired Feature ##
`files.overwrite` defaults to true, unlike `directories.overwrite` and `links.overwrite`. Default `files.overwrite` to false for spec 3.0.
## Other Information ##
|
usab
|
default files overwrite to false feature request environment any desired feature files overwrite defaults to true unlike directories overwrite and links overwrite default files overwrite to false for spec other information
| 1
|
1,066
| 2,712,967,508
|
IssuesEvent
|
2015-04-09 16:34:48
|
hypothesis/h
|
https://api.github.com/repos/hypothesis/h
|
closed
|
Keep unsaved annotations in the browser
|
Usability
|
Problem: If I create or edit an annotation but don't save it then it hasn't been sent to the server. If I leave the page it will lose the annotation with no warning.
Suggestion solution: Always autosave annotations in the browser, restore them in the sidebar when visiting the page again.
Another suggested solution: Don't even have a save button, just always autosave (first in the browser then asynchronously to the server) but keep the annotations private until the user hits a "Publish" button.
|
True
|
Keep unsaved annotations in the browser - Problem: If I create or edit an annotation but don't save it then it hasn't been sent to the server. If I leave the page it will lose the annotation with no warning.
Suggestion solution: Always autosave annotations in the browser, restore them in the sidebar when visiting the page again.
Another suggested solution: Don't even have a save button, just always autosave (first in the browser then asynchronously to the server) but keep the annotations private until the user hits a "Publish" button.
|
usab
|
keep unsaved annotations in the browser problem if i create or edit an annotation but don t save it then it hasn t been sent to the server if i leave the page it will lose the annotation with no warning suggestion solution always autosave annotations in the browser restore them in the sidebar when visiting the page again another suggested solution don t even have a save button just always autosave first in the browser then asynchronously to the server but keep the annotations private until the user hits a publish button
| 1
|
15,467
| 10,056,711,423
|
IssuesEvent
|
2019-07-22 09:46:50
|
The-Powder-Toy/The-Powder-Toy
|
https://api.github.com/repos/The-Powder-Toy/The-Powder-Toy
|
closed
|
stamps are always displayed with fancy display and deco
|
Usability issue
|
It's very difficult to place stamps/pastes with glowing elements and particles with dark deco colors.
They should be displayed with the current settings (or at least normal display and deco disabled).
|
True
|
stamps are always displayed with fancy display and deco - It's very difficult to place stamps/pastes with glowing elements and particles with dark deco colors.
They should be displayed with the current settings (or at least normal display and deco disabled).
|
usab
|
stamps are always displayed with fancy display and deco it s very difficult to place stamps pastes with glowing elements and particles with dark deco colors they should be displayed with the current settings or at least normal display and deco disabled
| 1
|
19,079
| 13,536,133,099
|
IssuesEvent
|
2020-09-16 08:36:40
|
topcoder-platform/qa-fun
|
https://api.github.com/repos/topcoder-platform/qa-fun
|
closed
|
Incorrect validation message " You have to pass reCAPTCHA to submit the form" for valid reCAPTCHA submission
|
UX/Usability
|
Steps:-
1. Enter the URL : https://www.topcoder.com/
2. Click on Menu EnterPrise >> ENTERPRISE CROWDTESTING
3. View the Page .
4. Donot enter any details .Click Submit.
5. Click on and Enter valid reCAPTCHA .
6. Click Submit
Actual Result : Incorrect validation message " You have to pass reCAPTCHA to submit the form"
Expected Result : Incorrect validation should not appear
Browser : Chrome ,Windows - OS


|
True
|
Incorrect validation message " You have to pass reCAPTCHA to submit the form" for valid reCAPTCHA submission -
Steps:-
1. Enter the URL : https://www.topcoder.com/
2. Click on Menu EnterPrise >> ENTERPRISE CROWDTESTING
3. View the Page .
4. Donot enter any details .Click Submit.
5. Click on and Enter valid reCAPTCHA .
6. Click Submit
Actual Result : Incorrect validation message " You have to pass reCAPTCHA to submit the form"
Expected Result : Incorrect validation should not appear
Browser : Chrome ,Windows - OS


|
usab
|
incorrect validation message you have to pass recaptcha to submit the form for valid recaptcha submission steps enter the url click on menu enterprise enterprise crowdtesting view the page donot enter any details click submit click on and enter valid recaptcha click submit actual result incorrect validation message you have to pass recaptcha to submit the form expected result incorrect validation should not appear browser chrome windows os
| 1
|
10,897
| 6,975,413,663
|
IssuesEvent
|
2017-12-12 06:55:28
|
cnr-ibf-pa/hbp-bsp-issues
|
https://api.github.com/repos/cnr-ibf-pa/hbp-bsp-issues
|
closed
|
User Documentation: collab -> Collab
|
Type_Usability UC_MorphAnalysis
|
On the user documentation for Morphology Analysis [HERE](https://lbologna.github.io/hbp-sp6-guidebook/online_usecases/morphology_analysis/morphology_analysis/morphology_analysis.html) I suggest to replace each occurrence of 'collab' by 'Collab' (as its more like a name of something).
|
True
|
User Documentation: collab -> Collab - On the user documentation for Morphology Analysis [HERE](https://lbologna.github.io/hbp-sp6-guidebook/online_usecases/morphology_analysis/morphology_analysis/morphology_analysis.html) I suggest to replace each occurrence of 'collab' by 'Collab' (as its more like a name of something).
|
usab
|
user documentation collab collab on the user documentation for morphology analysis i suggest to replace each occurrence of collab by collab as its more like a name of something
| 1
|
34,486
| 7,452,107,073
|
IssuesEvent
|
2018-03-29 07:03:55
|
kerdokullamae/test_koik_issued
|
https://api.github.com/repos/kerdokullamae/test_koik_issued
|
closed
|
Lisada kirjeldusüksustele lingid välistesse süsteemidesse
|
P: high R: fixed T: defect
|
**Reported by sven syld on 17 May 2013 08:30 UTC**
'''Object'''
Lingid välistesse süsteemidesse (nt spec lk 33)
'''Todo'''
Lisada KÜ detail- (spec lk 33) ja nimekirjavaateisse (lk 26) lingid välistesse süsteemidesse.
|
1.0
|
Lisada kirjeldusüksustele lingid välistesse süsteemidesse - **Reported by sven syld on 17 May 2013 08:30 UTC**
'''Object'''
Lingid välistesse süsteemidesse (nt spec lk 33)
'''Todo'''
Lisada KÜ detail- (spec lk 33) ja nimekirjavaateisse (lk 26) lingid välistesse süsteemidesse.
|
non_usab
|
lisada kirjeldusüksustele lingid välistesse süsteemidesse reported by sven syld on may utc object lingid välistesse süsteemidesse nt spec lk todo lisada kü detail spec lk ja nimekirjavaateisse lk lingid välistesse süsteemidesse
| 0
|
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.