repo_name
stringlengths
4
136
issue_id
stringlengths
5
10
text
stringlengths
37
4.84M
brocaar/chirpstack-application-server
681947213
Title: AutocompleteSelect no longer shows a placeholder value Question: username_0: <!-- We really appreciate your time effort in creating this issue, it's really valuable for the quality of the project. Before diving into the details, make sure to check off the following: --> <!-- Your checkbox should look like this: [x] --> - [x ] The issue is present in the latest release. - [x ] I have searched the [issues](https://github.com/username_1/chirpstack-application-server/issues) of this repository and believe that this is not a duplicate. ## What happened? Select controls in the UI no longer display their placeholder values. ## What did you expect? A place holder value to appear in the select control until a value is selected by the user ## Steps to reproduce this issue Go to any implementation of AutocompleteSelect in the UI and see that the placeholder is no longer visible. For example: 1. Go to Device-profiles 2. Select Create 3. The "Network-server" select does not display the placeholder value of "Select network-server" as it should ## Potential Solution A fix for this is to add a `placeholder` property to the `<TextField>` in `AutoCompleteSelect.js`: ```javascript <Autocomplete id={this.props.id} options={this.state.options} getOptionLabel={(option) => option.label || ""} onOpen={() => this.setInitialOptions(null)} openOnFocus={true} value={this.state.selectedOption || ""} onChange={this.onChange} onInputChange={this.onInputChange} className={this.props.className} renderInput={(params) => <TextField required={!!this.props.required} placeholder={this.props.label} {...params} /> } disableClearable={!this.props.clearable} /> ``` I have used the `label` prop, as this appears to be what the placeholder has been assigned to in the past. If this solution is satisfactory I can create a PR. | Component | Version | | --------------------| ------- | | Application Server | v3.11.1 | Answers: username_1: Hi @username_0, yes please create a pull-request for this :) Status: Issue closed
syseleven/designate-certmanager-webhook
933858707
Title: Make all images configurable Question: username_0: The chart uses the alpine:latest image for an init container. Since this is not configurable, this can lead to hitting DockerHub image pull limits. In a cluster where I cannot use a private Docker account, but need to make the images public, I can't configure the chart to use another registry. All images should be configurable with repository and image.
Jakeler/ble-serial
1052747258
Title: Can't connect to Smartphone - is it possible? Question: username_0: Congratulations for the project and thank you for making it open source. Can ble-serial send a serial stream over BLE to an Android phone? I got your stack working as I am able to scan and ble-serial connect to an HM19 module. But instead to connect to an HM10/HM19, I would like to establish a serial link over BLE via a USB BLE dongle (without using the HM19) to my android phone. FYI without ble-serial and a USB-BLE dongle, I am able to connect my phone to the HM19: I first connected the HM19 to a USB-to-serial module CP210x and data sent to the COM port of the CP210x module would show on “Serial Bluetooth Terminal” on Android. How come my phone doesn’t show with a ble-scan? Is It possible to ble-serial to the phone? Answers: username_1: Interesting question. The thing is that the Bluetooth architecture has different roles for devices. Usually the peripheral device provides a server and constantly sends out advertisements, then other devices can scan and connect in client mode. For example HM19 is per default a server (can be changed through AT commands) and ble-serial is always the client. Now Android mostly also acts as client, connecting to servers in headphones etc. That is why it will not directly work with ble-serial, because it is just another client with the Terminal. To connect both you need some software on the smartphone to run it as server. I searched on Google Play and this is apparently very rare, I only found this: https://play.google.com/store/apps/details?id=com.roguefactories.btsppserver It seems to do what is claims, but is only SPP = legacy bluetooth 2.0. For BLE 4.0+ I could not find any app, so I looked at the Android API and fairly recently (with Android 10) there was a option added to create BLE servers too: https://developer.android.com/reference/android/bluetooth/BluetoothServerSocket I don't think anyone has it implemented so far, but it should be possible. username_0: Thank you username_1. I actually need to use an existing Android app that acts as a client, so to get this working I need to find a way to send serial data over BLE from Windows with the BLE USB dongle acting as a server. I haven't found anything doing so. Have you come across anything along these lines during your own research? I understand that what I'm looking for isn't the standard scheme when it comes to IoT and typical makers' arduino sensor projects... username_1: Ok, I see, making the PC a server should work too. Problem is that the BLE lib (bleak) which I use is only a client implementation, so I can't easily enable it. There are APIs that would allow this though, on Linux with BlueZ/DBus: https://punchthrough.com/creating-a-ble-peripheral-with-bluez/ On Windows UWP: https://docs.microsoft.com/de-de/windows/uwp/devices-sensors/gatt-server Again I am not aware of anything that implements these, but I also did not do extensive research on the Windows side. Maybe that info helps you a bit to find or build something, they have also some sample code: https://github.com/microsoft/Windows-universal-samples/tree/main/Samples/BluetoothLE username_1: I made an experimental server implementation now, it can be installed like this: ``` pip install bless pip install https://github.com/username_1/ble-serial/archive/refs/heads/server-mode.zip ``` Note this this version always acts as server, you have to install the normal version if the client function is needed again. (this will be different in the final release) To start it the service, read and write UUIDs have to be specified, for example the Nordic UART profile: ``` ble-serial -d server -s 6e400001-b5a3-f393-e0a9-e50e24dcca9e -w 6e400002-b5a3-f393-e0a9-e50e24dcca9e -r 6e400003-b5a3-f393-e0a9-e50e24dcca9e -vv ``` The device argument `server` does not matter, it will show up as your PC hostname instead. Currently it works only on Windows, not on Linux (https://github.com/kevincar/bless/issues/60). Also for some reason ble-serial in normal client mode is unable to connect to this server, I have to investigate why. Tests were successful with Android and [Serial Bluetooth Terminal](https://play.google.com/store/apps/details?id=de.kai_morich.serial_bluetooth_terminal) though. So it is definitely not bug-free, but I want to put it already out there. Feel free to try it @username_0, it might work for your application. username_0: Thanks for the work! Not working for me, here is what I get: ``` ble-serial -d server -s 6e400001-b5a3-f393-e0a9-e50e24dcca9e -w 6e400002-b5a3-f393-e0a9-e50e24dcca9e -r 6e400003-b5a3-f393-e0a9-e50e24dcca9e -vv 15:56:37.046 | DEBUG | main.py: Running: Namespace(verbose=2, port='BLE', device='server', timeout=5.0, addr_type='public', adapter='hci0', mtu=20, service_uuid='6e400001-b5a3-f393-e0a9-e50e24dcca9e', write_uuid='6e400002-b5a3-f393-e0a9-e50e24dcca9e', read_uuid='6e400003-b5a3-f393-e0a9-e50e24dcca9e', mode='rw', filename=None, binlog=False) 15:56:37.046 | DEBUG | proactor_events.py: Using proactor: IocpProactor 15:56:37.047 | INFO | ble_server.py: Receiver set up 15:56:37.047 | DEBUG | server.py: Creating a new service with uuid: 6e400001-b5a3-f393-e0a9-e50e24dcca9e 15:56:37.047 | DEBUG | server.py: Adding service to server with uuid 6e400001-b5a3-f393-e0a9-e50e24dcca9e 15:56:37.058 | INFO | ble_server.py: Service 6e400001-b5a3-f393-e0a9-e50e24dcca9e (Handle: 0): Nordic UART Service 15:56:37.059 | INFO | ble_server.py: Write characteristic: 6e400002-b5a3-f393-e0a9-e50e24dcca9e: 15:56:37.059 | INFO | ble_server.py: Read characteristic: 6e400003-b5a3-f393-e0a9-e50e24dcca9e: 15:56:37.066 | ERROR | main.py: Unexpected Error: OSError(22, 'The device does not support the command feature', None, -2147024580, None) 15:56:37.066 | WARNING | main.py: Shutdown initiated 15:56:37.067 | INFO | windows_com0com.py: Stopping RX+TX loop Traceback (most recent call last): File "C:\Program Files\Python310\lib\runpy.py", line 196, in _run_module_as_main return _run_code(code, main_globals, None, File "C:\Program Files\Python310\lib\runpy.py", line 86, in _run_code exec(code, run_globals) File "C:\Users\user1\AppData\Roaming\Python\Python310\Scripts\ble-serial.exe\__main__.py", line 7, in <module> File "C:\Users\user1\AppData\Roaming\Python\Python310\site-packages\ble_serial\main.py", line 113, in launch m.start() File "C:\Users\user1\AppData\Roaming\Python\Python310\site-packages\ble_serial\main.py", line 13, in start asyncio.run(self._run()) File "C:\Program Files\Python310\lib\asyncio\runners.py", line 44, in run return loop.run_until_complete(main) File "C:\Program Files\Python310\lib\asyncio\base_events.py", line 641, in run_until_complete return future.result() File "C:\Users\user1\AppData\Roaming\Python\Python310\site-packages\ble_serial\main.py", line 96, in _run await self.bt.disconnect() File "C:\Users\user1\AppData\Roaming\Python\Python310\site-packages\ble_serial\bluetooth\ble_server.py", line 99, in disconnect await self.server.stop() File "C:\Users\user1\AppData\Roaming\Python\Python310\site-packages\bless\backends\winrt\server.py", line 100, in stop service.service_provider.stop_advertising() OSError: [WinError -2147483634] A method was called at an unexpected time ``` I tried with 3 different USB BLE dongles, Details of the last one: ``` =========================== USB Port4 =========================== Connection Status : 0x01 (Device is connected) Port Chain : 1-3-4 Properties : 0x01 IsUserConnectable : yes PortIsDebugCapable : no PortHasMultiCompanions : no ConnectionIndex : 4 CompanionIndex : 0 CompanionHubSymLnk : USB#VID_2109&PID_0813#5&356b5377&0&19#{f18a0e88-c30c-11d0-8815-00a0c906bed8} CompanionPortNumber : 4 ======================== USB Device ======================== +++++++++++++++++ Device Information ++++++++++++++++++ Device Description : Broadcom BCM20702 Bluetooth 4.0 USB Device Device Path : \\.\usb#vid_0a5c&pid_21e8#000272cc89e4#{a5dcbf10-6530-11d2-901f-00c04fb951ed} Device ID : USB\VID_0A5C&PID_21E8\000272CC89E4 Driver KeyName : {<KEY> (GUID_DEVCLASS_BLUETOOTH) Driver : C:\WINDOWS\System32\drivers\BTHUSB.sys (Version: 10.0.22000.282 Date: 2021-11-10) Driver Inf : C:\WINDOWS\inf\oem15.inf Legacy BusType : PNPBus Class : Bluetooth Class GUID : {e0cbf06c-cd8b-4647-bb8a-263b43f0f974} (GUID_DEVCLASS_BLUETOOTH) Interface GUID : {a5dcbf10-6530-11d2-901f-00c04fb951ed} (GUID_DEVINTERFACE_USB_DEVICE) Service : BTHUSB Enumerator : USB Location Info : Port_#0004.Hub_#0004 Location IDs : PCIROOT(0)#PCI(1400)#USBROOT(0)#USB(3)#USB(4), ACPI(_SB_)#ACPI(PCI0)#ACPI(XHC_)#ACPI(RHUB)#ACPI(HS03)#USB(4) Container ID : {ffe7ca51-42e1-53cb-b628-26c1d6807eeb} Manufacturer Info : Broadcom Capabilities : 0x94 (Removable, UniqueID, SurpriseRemovalOK) Status : 0x0180600A (DN_DRIVER_LOADED, DN_STARTED, DN_DISABLEABLE, DN_REMOVABLE, DN_NT_ENUMERATOR, DN_NT_DRIVER) Problem Code : 0 Lower Filters : bcbtums ``` username_1: Hmm, interesting. Your BCM20702 should support the server role in theory, are you sure the driver is correct? What were the other 2? I used a RTL8761B, which is in most generic/cheap BT 5.0 adapters and for example the Asus USB-BT500. username_0: The other ones show as "Generic Bluetooth Radio" (Cambridge Silicon Radio Ltd.). I uninstalled all bluetooth devices including hidden/not connected one from Device Manager, then let Windows load the drivers as well as check for updated rivers, no change. Any suggestion to ensure it's the proper driver? username_1: Maybe try a different driver package, I would not recommend downloading from random websites, but for example Lenovo offers a [old version](https://support.lenovo.com/de/de/downloads/ds038201) and [newer version](https://support.lenovo.com/de/de/downloads/ds104311) (still 2015 though). You are using Windows 10, right? Otherwise I honestly don't know. You could try to run [this example script](https://github.com/kevincar/bless/blob/master/examples/server.py) (just download and start it with `python server.py`). It is a bit simpler than my code, if it also fails you can create an issue on [bless](https://github.com/kevincar/bless), Kevin might have more ideas how to debug this.
HutchinsonTigerbots-2509/Robot-2019
398335657
Title: Drivetrain Branch Format Errors Question: username_0: In the _Drivetrain branch_, there are inconsistencies in the format and creation of the code. - [x] Throughout the code, `Drivetrain` is named `DriveTrain` - [x] `Robot.java` variable names do not follow the naming scheme - [x] `RobotMap.java` SpeedControllerGroups do not follow the naming scheme - [x] `OI.java` variable names do not follow the naming scheme - [x] `Drivetrain.java` there are improper naming of functions Answers: username_1: Should've been fixed in the most recent commit on Drivetrain Branch
frc5687/2018-robot
293962568
Title: Auto: mode selection Question: username_0: When auto starts, it needs to look at three inputs: 1) Our mode selector 2) Our position selector 3) The game data It should then build a command group consisting of the appropriate command blocks and execute it.<issue_closed> Status: Issue closed
pierrec/cmdflag
476162011
Title: See also dolmen-go/flagx Question: username_0: As you like the `flags` package, you might appreciate my set of helpers in [`github.com/username_0-go/flagx`](https://godoc.org/github.com/username_0-go/flagx). Would you accept a PR to add a See Also section to your README? Answers: username_1: Hello, Yes sure. Send me a PR.
OctopusDeploy/Issues
34435151
Title: No error message using nuget.exe push with bad API key Question: username_0: I have been using nuget.exe to successfully push packages to my own VM server on my local machine. For fun I messed up the API key to see what would happen and I got "Your package was pushed" success message, however (and rightfully) the package did not appear in the octopus repo. So its failing but I, as a user, did not know that because I did get the successful message. Source: Vanessa testing ![image](https://cloud.githubusercontent.com/assets/7697660/3100795/80cd85a6-e623-11e3-9a4c-dae13b2c42b6.png)
pytorch/pytorch
482475175
Title: [jit] schema matching incorrectly types a call to append with an argument of type Scalar Question: username_0: Minimal Repro: ``` import torch @torch.jit.script def foo(x): a = torch.jit.annotate(List[float], []) a.append(x.item()) # this works # a.append(float(x.item())) return a print(foo.graph) # note: it derives the type Scalar[] for the result of append # when it should but 'a' is a float[] foo(torch.rand([])) ``` Answers: username_0: @bhosmer Status: Issue closed username_1: this is fixed on master
grpc/grpc-java
969146728
Title: There are a large number of internal classes in grpc java source code. It is strongly recommended to move to a separate java file Question: username_0: There are a large number of internal classes in grpc java source code. It is strongly recommended to move to a separate java file. A large number of internal classes make the code look very messy for example: io.grpc.ServerInterceptors.java io.grpc.internal.ManagedChannelImpl.java There are many more, Status: Issue closed Answers: username_1: Do you mean breaking down `ManagedChannelImpl` into several separate java files? It looks `ManagedChannelImpl` is quite concise regarding the key tasks it is handling: e.g. channel lifecycle management, API installations. It is as a connection point between different components, e.g. name resolvers, load balancers, transports. Those components are in separate files. It looks this way fits grpc complexity well. Do you mean moving `ServerInterceptors ` to other directory/sub-projects? This was a utility function and we exposed in grpc-api by design. Marking it as duplicate of https://github.com/grpc/grpc-java/issues/8384 and closing.
darkuranium/tclib
175769657
Title: [tc_string] [tc_terminal] Implement proper char<->UTF-8 conversion. Question: username_0: In non-Windows, the libraries currently silently assume the input is UTF-8. The information is (*mostly*) available, and it should be used to convert the locale-specific `char` encoding to UTF-8. See [/tests/TEST-os-conv.c](https://github.com/username_0/tclib/blob/master/tests/TEST-os-conv.c) for a few conversion options.
petyosi/react-virtuoso
923403680
Title: [BUG] react-virtuoso bundle is large because of extraneous files Question: username_0: **Describe the bug** Per NPM, the bundle size of react-virtuoso is 6MB. This is because of a large number of extraneous files contained in the bundle including: * The end to end tests * An example file thats 4MB in size **Reproduction** ![image](https://user-images.githubusercontent.com/14242948/122329043-8f2f3380-cee5-11eb-87fb-f331805f8c5c.png) **To Reproduce** N/A **Expected behavior** The bundle should contain just the source for the library **Screenshots** ![image](https://user-images.githubusercontent.com/14242948/122329923-17620880-cee7-11eb-8555-5c1e04eba0b8.png) **Desktop (please complete the following information):** N/A **Additional context** Add any other context about the problem here. Answers: username_0: This is probably simple to fix but haven't used `microbundle` before username_0: Also something to note, the typedefs are weirdly large for some reason. This is less of an issue because it gets tossed in a production bundle. But maybe something to also watch username_1: Thanks, I will take a look at the typedefs. microbundle was the replacement I found for TSDX, which started great and then stalled. If you can recommend a similar (but alive) tool, I am all for it. Status: Issue closed username_2: It seems this issue is half-solved. The PR works, but the npm registry continues with the problem. ![image](https://user-images.githubusercontent.com/717054/130210793-77efaf0a-6ebb-4142-859f-14b401b40ae7.png) ![image](https://user-images.githubusercontent.com/717054/130210874-08ec1b75-04a3-4f26-87dc-0f9f81a167a8.png) username_1: @username_2 Thanks for spotting that. The original fix was right, but it did not take into account an e2e testing step in the automated release which polluted the `dist` directory. Just published a fix in 1.10.8: https://cdn.jsdelivr.net/npm/[email protected]/dist/
Akron/Mojolicious-Plugin-CHI
365246281
Title: t/CHI-Command.t started to fail (with Mojolicious 8.01?) Question: username_0: My smokers started to report the following failure: ``` # Failed test 'Namespace is set' # at t/CHI-Command.t line 40. # got: 'Mojolicious::Command::Author' # expected: 'Mojolicious::Command' # Failed test 'Namespace is set only once' # at t/CHI-Command.t line 105. # got: 'Mojolicious::Command::Author' # expected: 'Mojolicious::Command' # Looks like you failed 2 tests of 59. t/CHI-Command.t ... Dubious, test returned 2 (wstat 512, 0x200) Failed 2/59 subtests ``` Statistical analysis suggests that this happens with the newest Mojolicious, version 8.01 (@kraih FYI): ``` **************************************************************** Regression 'mod:Mojolicious' **************************************************************** Name Theta StdErr T-stat [0='const'] 1.0000 0.0000 4076546229700720.50 [1='eq_7.33'] -0.0000 0.0000 -1.01 [2='eq_7.46'] -0.0000 0.0000 -0.96 [3='eq_7.55'] -0.0000 0.0000 -0.48 [4='eq_7.58'] -0.0000 0.0000 -0.18 [5='eq_7.70'] 0.0000 0.0000 0.18 [6='eq_7.71'] 0.0000 0.0000 0.00 [7='eq_7.82'] -0.0000 0.0000 -1.12 [8='eq_7.85'] -0.0000 0.0000 -0.80 [9='eq_7.88'] -0.0000 0.0000 -0.21 [10='eq_7.93'] 0.0000 0.0000 0.45 [11='eq_7.94'] 0.0000 0.0000 0.44 [12='eq_8.0'] 0.0000 0.0000 0.44 [13='eq_8.01'] -1.0000 0.0000 -4021080431197625.00 R^2= 1.000, N= 125, K= 14 **************************************************************** ``` Status: Issue closed Answers: username_0: It seems you were faster ;-)
tzwk/EC500-C1
296554559
Title: Don't Resize Image Question: username_0: On line 54 you resize the image without any description or apparent reason. This will give the user unexpected results so do not do this by default and refactor into its own function to be sure the user wants to resize
swaywm/sway
638151104
Title: Container move dropzones use wrong window geometry Question: username_0: Cursor-based container movement highlights the "dropzones" that you can move a container to. If an application is submitting buffers larger than its configured, size, then the "overdraw" is not a valid drop-zone target. Examples: 1. Two applications are in an even hsplit. The left application overdraws by 50% horizontally. Starting a cursor move of the left container will show that sway considers 75% of the horizontal width to be the dropzone of that appilcation, and one must aim the the last 25% to execute the move. With 100% overdraw, the move cannot be executed with the cursor. 2. Start with two equally sized monitors. On the left monitor, there are two applications in an even hsplit. The rightmost application overdraws by 100%. Attempting a move of rightmost application onto the right monitor will show that sway considers half the right monitor to be part of that applications dropzone, and one must aim for the last 50% to execute the move. With 150% overdraw, the move cannot be executed with the cursor. To reproduce: Use the wleird "overdraw" client, added in https://github.com/emersion/wleird/pull/15. This client always submits buffers twice the width and height of the configured toplevel.
tulitv/simple-todo
53321982
Title: [Android Bootcamp] Simple Todo App - Review Question: username_0: My app is complete, please review. Also, I have a question about Textfields used for the Main Activity and the Edit Item Activity: The slide show requests to use Text Field\Plain Text for Main Activity and Text Field\Multiline Text for Edit Item Activity. Shouldn't be Plain Text both? /cc @codepathreview @codepath FYI: On slide 22 there is a function name mismatch addTodoItem() vs onAddItem(). Answers: username_1: Thanks for the notes, will update soon. username_1: Vince, Looks good! This was intended in part to give you an introduction to the general rhythm of this course. The course is entirely project based with an app being assigned each week and then due the following week. Each project builds on the last to help each engineer to learn all practical Android development and best practices as quickly as possible. We also do a personalized code review for each submitted project once the bootcamp starts. The next step is to continue working on [extensions to your todo app](http://courses.codepath.com/snippets/intro_to_android/prework#heading-5-extending-your-todo) and to **schedule a short 5-10 minute phone conversation** [here](https://www.google.com/calendar/selfsched?sstoken=<KEY>). Navigate to [January 7th and dates onward](https://www.google.com/calendar/selfsched?sstoken=<KEY>) and choose a 15-minute slot. Let us know if none of those times work. Please make sure to **include the best number** to reach you at in the scheduled event? Look forward to chatting soon! username_0: I completed the last suggested item: Use DialogFragment instead new Activity for the Edit Item. One interesting thing I found that I did not have to change the MainActivity to extend FragmentActivity as per the description, but kept using ActionBarActivity, which I liked more having the top bar with the title. /cc @codepathreview @codepath username_1: Yeah its a bit misleading but [ActionBarActivity](https://developer.android.com/reference/android/support/v7/app/ActionBarActivity.html) itself extends `FragmentActivity` which is why it works. I've updated the guide to reflect that!
catmaid/catpy
263176800
Title: Support image/volume fetching for common tile sources Question: username_0: This https://github.com/aschampion/diluvian/blob/master/diluvian/volumes.py#L1123 (or possibly a more basic version) would be great. Could also include: - [ ] Thread pooling (user-controlled thread count, or just use a requests session)<issue_closed> Status: Issue closed
containerd/containerd
246910186
Title: Makefile: use per-platform include file Question: username_0: At this point, the `Makefile` is becoming littered with terse inlines and hacks to support multi-platform behavior. Let's move to having a platform include file per platform to separate out the platform-specific behavior. We would add something like this to the base `Makefile`: ``` include Makefile.${GOOS} ``` If the file doesn't exist, we get a build error. If it does exist, it can set platform-specific items, such as the WHALE, package lists and other branched behavior. This will keep our `Makefile` clean, simple and readable. The platform-specific items will be neatly hidden away, where they belong.<issue_closed> Status: Issue closed
oxinabox/DataDeps.jl
289169631
Title: Add command to check datadep exists? Question: username_0: While downloading the full dataset during CI testing might not always be possible, it should be possible to test that the data still exits. i.e. to check if the remote URLs still point to **something**. So perhaps a command `check_remotes_exist(::DataDep)`? It might not work for remotespaths that are not URLs, but other things break for them anyway.
LeetCode-Feedback/LeetCode-Feedback
988177524
Title: Incorrect Solution: Walking Robot Simulation (874) Question: username_0: <!-- Note - Any content mention below in `<!-- ->` blocks are just comments to help you fill-up the issue. It won't be visible in the actual issue after you click on submit. --> #### Your LeetCode username <!-- Your LeetCode username --> TaZz #### Category of the bug - [ ] Question - [*] Solution - [ ] Language - [ ] Missing Test Cases #### Description of the bug <!-- A clear and concise description of what the bug is. --> The actual solution on leetcode is incorrect and does not cover all possible test cases. #### Code you used for Submit/Run operation <!-- Please make sure you wrap your code with ``` tags. Otherwise we may reject your request. --> ``` class Solution { public int robotSim(int[] commands, int[][] obstacles) { Map<Integer, List<Integer>> obstaclesX = new HashMap<>(); Map<Integer, List<Integer>> obstaclesY = new HashMap<>(); for(int[] obstacle: obstacles) { List<Integer> acrossY = obstaclesX.getOrDefault(obstacle[1], new ArrayList<>()); List<Integer> acrossX = obstaclesY.getOrDefault(obstacle[0], new ArrayList<>()); acrossX.add(obstacle[1]); acrossY.add(obstacle[0]); obstaclesX.put(obstacle[1], acrossY); obstaclesY.put(obstacle[0], acrossX); } obstaclesX.forEach((k,v)->Collections.sort(v)); obstaclesY.forEach((k,v)->Collections.sort(v)); //turning right //N E S W int[][] directions = new int[][]{{0,1}, {1,0}, {0,-1}, {-1,0}}; int prevX = 0, prevY = 0; int directionIdx = 0; for(int command: commands) { if(command < 0) { directionIdx = (directionIdx + 4 + command + 1 + (command == -1? 1:0))%4; } else { int newX = directions[directionIdx][0]*command + prevX, newY = directions[directionIdx][1]*command + prevY; //check obstaclesY (across X) [Truncated] #### Expected behavior <!-- A clear and concise description of what you expected to happen in contrast with what actually happened. --> For the below test case, the expected output is incorrect [1,2,-2,5,-1,-2,-1,8,3,-1,9] [] The image below displays all the direction (first column) and location (x on 2nd column and y on 3rd) of robot on the 2-d plane. The robot lands on (4,14) at the end of the simulation for which the distance should be 212 but expected distance is 221. #### Screenshots <!-- If applicable, add screenshots to explain your issue. --> ![image](https://user-images.githubusercontent.com/20036739/132077308-1c927e58-e7b2-4206-a2a9-649f015183f9.png) #### Additional context <!-- Add any other additional context about the bug. --> Answers: username_1: Hi @username_0 Thank you for reaching out to us. I've relayed this issue to our team to investigate. Status: Issue closed username_1: Hi @username_0 Thank you for your time. We have updated the problem description to clarify the misunderstandings. The expected output is correct.
matrix-org/dendrite
259539956
Title: Handle edge cases when rejecting invites over federation. Question: username_0: The syncapi needs to handle the case where we reject an invite for a room the server is not a member of over federation. Currently the syncapi detects when an invite has been rejected by waiting for a leave event in the roomserver output stream. However when we reject an invite for a room the server isn't a member of it doesn't have enough information to write an ordinary leave event as a ```OutputNewRoomEvent``` to the roomserver output stream. (It won't know the state of the room for example). Instead it writes an ```OutputRetireInviteEvent``` to the output stream. The syncapi needs to listen for those messages and inform the clients that the invite event has been rejected using it. Answers: username_1: @neilalexander didn't you fix this with the whole MembershipUpdate `Overwrite` stuff? Status: Issue closed username_1: We do this now. ```go func (s *OutputRoomEventConsumer) onRetireInviteEvent( ctx context.Context, msg api.OutputRetireInviteEvent, ) error { sp, err := s.db.RetireInviteEvent(ctx, msg.EventID) if err != nil { // panic rather than continue with an inconsistent database log.WithFields(log.Fields{ "event_id": msg.EventID, log.ErrorKey: err, }).Panicf("roomserver output log: remove invite failure") return nil } // Notify any active sync requests that the invite has been retired. // Invites share the same stream counter as PDUs s.notifier.OnNewEvent(nil, "", []string{msg.TargetUserID}, types.NewStreamToken(sp, 0, nil)) return nil } ```
Piyushvishnoi/javacompleteoops
620140356
Title: Unnecessary extension Question: username_0: javacompleteoops/java GUI/calculator/calculator.java instead of writing different fields you could have extended action listener class and the simply initiated the instances of the frame and etc. in JFrame if we convert our code into executable file if must contain only class calling inside main for future correction . and always add f.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE); to make sure that your frame always terminate after cancellation sometimes it does not<issue_closed> Status: Issue closed
ManageIQ/manageiq-ui-classic
610887069
Title: Configuration icon - Settings - Custom Logos : error message has partial translation Question: username_0: Original BZ: https://bugzilla.redhat.com/show_bug.cgi?id=1741940 Upon choosing wrong image format, the error message has partial translation. How reproducible: Always Steps to Reproduce: 1. Log into cfme UI with non en_US locale 2. Navigate to Configuration icon - Settings - Custom Logos, and choose .jpg image for Custom Brand Image, click Upload. 3. Observe the error message '»自定义品牌« must be a .png file' is partially localized Actual results: Partial translation Expected results: Full translation<issue_closed> Status: Issue closed
jkwill87/mnamer
569430724
Title: [Feature Request] Display the file size Question: username_0: When using mnamer there is no way to know what is the file size of the file that is being processed, it's a problem especially when the same movie has already been processed before since there is no way to know which one is bigger/better.<issue_closed> Status: Issue closed
jlippold/tweakCompatible
349823313
Title: `tweakCompatible` working on iOS 11.3.1 Question: username_0: ``` { "packageId": "bz.jed.tweakcompatible", "action": "working", "userInfo": { "arch32": false, "packageId": "bz.jed.tweakcompatible", "deviceId": "iPhone8,1", "url": "http://cydia.saurik.com/package/bz.jed.tweakcompatible/", "iOSVersion": "11.3.1", "packageVersionIndexed": true, "packageName": "tweakCompatible", "category": "Tweaks", "repository": "BigBoss", "name": "tweakCompatible", "installed": "0.1.0", "packageIndexed": true, "packageStatusExplaination": "This package version has been marked as Working based on feedback from users in the community. The current positive rating is 93% with 29 working reports.", "id": "bz.jed.tweakcompatible", "commercial": false, "packageInstalled": true, "tweakCompatVersion": "0.1.0", "shortDescription": "Adds a way to check tweak compatibility in cydia", "latest": "0.1.0", "author": "treAson", "packageStatus": "Working" }, "base64": "<KEY> "chosenStatus": "working", "notes": "" } ```
bramus/router
222122986
Title: Router always redirect to / Question: username_0: Hi I installed the router on my vps for my framework Daimyo https://github.com/username_0/Daimyo But after installing with composer, the router doesn't work, when calling "/" route it work properly but calling "/test" or whatever even wrong routes doesn't work it always redirect to "/" route. My .htaccess `RewriteEngine On RewriteCond %{REQUEST_FILENAME} !-f RewriteCond %{REQUEST_FILENAME} !-d RewriteRule . index.php [L]` My index.php `<?php ini_set('display_errors', 1); ini_set('display_startup_errors', 1); error_reporting(E_ALL); require __DIR__.'/../app/system.php'; require_once __DIR__.'/../vendor/autoload.php'; $app = new \App\Application($debug = true); require __DIR__.'/../app/routes.php'; $app->run();` Route.php `<?php /*$app->before('GET', '/.*', function() use ($app) { # This will be always executed });*/ $app->get('/', function () use ($app) { echo "<b>Coming soon</b><br>"; echo 'Devbreak by @username_0'; }); $app->get('/aze', function () use ($app) { echo "test"; }); $app->mount('/test', function () use ($app) { $app->router('test'); // include test routes }); $app->set404(function () use ($app) { # Example : # $app->render(['src' => '404', 'views' => '404'], ['title' => 'Page not found']); echo "404 error"; });` Help please :( Answers: username_0: Fixed. It just was ISPConfig. Status: Issue closed username_1: Please, could you say what you did to fix this? I'm having the same problem and i'm using Apache. I'm just defining the routes on the index.php and then $router->run(), but it just executes '/' route. Could you help me please? Thanks! username_0: Hi, could you paste your index.php and .htaccess please ? username_1: Hi, thank you for the response! Here's my index.php ```PHP <?php define('__DATA_FOLDER', 'src/resources'); require 'vendor/autoload.php'; $router = new \Bramus\Router\Router(); $router->set404(function () { header($_SERVER['SERVER_PROTOCOL'] . ' 404 Not Found'); echo 'Ish, rota errada. Verifique certinho aí :) '; }); // Autenticar $router->get('/','\App\Controllers\LoginController@index'); $router->get('/login','\App\Controllers\LoginController@index'); $router->post('/login','\App\Controllers\LoginController@login'); // Cadastrar $router->get('/user', '\App\Controllers\UserController@index'); $router->post('/user', '\App\Controllers\UserController@newUser'); $router->get('/main','\App\Controllers\MainController@index'); $router->run(); ``` And here is my .htaccess ``` RewriteEngine On RewriteCond %{REQUEST_FILENAME} !-f RewriteCond %{REQUEST_FILENAME} !-d RewriteRule . index.php [L] ``` Thank you! username_0: could you clarify what's the issue here ? the "/" route doesn't work or it's the only route that work ? username_1: It's the only route that works. username_0: are you sure the [url rewriting](https://stackoverflow.com/questions/869092/how-to-enable-mod-rewrite-for-apache-2-2) in apache is enabled ? username_1: Yes, i'm sure. I've just followed the instructions of the url rewriting link that you sent just to make sure, but it still doesn't work. When i run with the built-in php server using the code snippet to simulate the .htaccess, it works, so i guess it's something about the url rewriting rule in Apache. Thanks for clarify this to me! I'll keep digging into it to find a solution. username_2: Don't forget to restart Apache after enabling the rewrite extensions.
dart-lang/dart_ci
559790068
Title: Make cloud functions faster by storing changes in parallel Question: username_0: This should allow us to increase the number of results processed/chunk and therefore reduce the number of chunks making it less likely that we'll hit lock contention while updating the processed_chunks. Answers: username_1: We are still hitting lock contention on the update of processed_chunks. Proceeding with the solution that will write a separate document for each chunk received, with its message ID, and that will check to see if we have received all chunks by querying for all these documents for a build. First CL to start implementation will send list of all message IDs with the final chunk: https://dart-review.googlesource.com/c/sdk/+/134524 username_0: I would suggest we postpone further work on the lock contention issue. This has become rather infrequent now. The example you mentioned was from a single CL. The execution time graphs for the cloud functions suggest that we can increase the size of the requests per message further, and it will be even less likely. I'm closing this issue since the parallel requests are landed and working in production. Status: Issue closed
sopra-fs21-group-13/Client
842745998
Title: Google API Question: username_0: Time: 7h Description: * read up on how to include the google login API with react * implement functionality for google login and register button on homepage This task is part of user story #11<issue_closed> Status: Issue closed
hypothesis/h
112546928
Title: Bucket bar annotation location indicators disappearing under toolbar buttons Question: username_0: Recent design changes to the sidebar's toolbar increased the height of the toolbar icons at the top. The top-most position of the annotation location indicators needs to be moved down, otherwise they currently get partially hidden underneath the toolbar icons. ![bucket-bar-markers-too-high](https://cloud.githubusercontent.com/assets/2458/10632766/40efcc5c-77de-11e5-8743-00066653b23a.png) Answers: username_1: https://github.com/hypothesis/h/blob/master/h/static/scripts/annotator/plugin/bucket-bar.coffee#L11 Status: Issue closed
everweij/react-laag
891137875
Title: [BUG] onOutsideClick doesn't get called when you right-click outside of the trigger with mouse position Question: username_0: **To Reproduce** Steps to reproduce the behavior: 1. Go to https://codesandbox.io/s/cool-gates-qcd5x?file=/src/App.js:0-66 2. Right-click on all 3 triggers 4. All 3 layers are visible **Expected behavior** Expected `onOutsideClick` to be called. <img width="317" alt="Screen Shot 2021-05-13 at 6 24 23 PM" src="https://user-images.githubusercontent.com/1942158/118147707-85af3900-b418-11eb-88b8-12b56570dd36.png"> Answers: username_0: or maybe it's more semantically right to add `onOutsideContextMenu` option to `useLayer`
ros2/demos
583226685
Title: image_tools cam2image Is publishing a wrong frame_id Question: username_0: <!-- For general questions, please ask on ROS answers: https://answers.ros.org, make sure to include at least the `ros2` tag and the rosdistro version you are running, e.g. `ardent`. For general design discussions, please post on discourse: https://discourse.ros.org/c/ng-ros Not sure if this is the right repository? Open an issue on https://github.com/ros2/ros2/issues For Bug report or feature requests, please fill out the relevant category below --> ## Bug report **Required Info:** - Operating System: -All - Installation type: - Binaries - Version or commit hash: - eloquent - DDS implementation: - all #### Steps to reproduce issue Run cam2image demo ``` ros2 run image_tools cam2image ``` Check /image topic contents ``` ros2 topic echo /image ``` #### Expected behavior Proper frame_id information is sent on the header of the Image message on the /image topic. #### Actual behavior frame_id is a number that increments for every message sent ``` header: stamp: sec: 0 nanosec: 0 frame_id: '401' height: 240 width: 320 encoding: bgr8 is_bigendian: 0 step: 960 ``` #### Additional information This bug connects to https://github.com/ros2/rviz/issues/511 Answers: username_1: **TODO**: Check if issue persists in ROS2 Foxy. username_2: This was fixed by #433 a long time ago, so closing this out. Status: Issue closed
alin23/Lunar
728991196
Title: Lunar Bug Question: username_0: # Issue details - Mac device where Lunar is installed (Macbook Pro 2019, iMac, Mac Mini, Hackintosh etc.): Macbook Pro 16" 2019, mac os 10.15.7 - Monitor model (LG UltraFine 5K, DELL P2715Q etc.): LG Ultrafine 34" - Monitor connection to the Mac device (HDMI-to-USB-C, USB-C-to-USB-C, miniDisplayPort-to-DisplayPort etc.): Usb-C -> DP - Using an USB Docking Station or Hub: Noope - Lunar mode used (check it in the top-right corner of the Lunar interface) Sync - (only if you know how to compile a C program) Does this utility work for you? https://github.com/kfix/ddcctl Haven't tried # Issue description: Very often after going out of sleep mode, lunar assumes that macbook display brightness is 0.0: ![CleanShot 2020-10-25 at 11 34 31](https://user-images.githubusercontent.com/2170509/97104746-879cef00-16b6-11eb-86be-260a9da8dea6.jpg) Even though it is not :-( Currently, set to around 70% automatically using brightness sensor. This sets all external monitors to min brightness. This started to happen periodically since last month. I'd love to provide more logs if needed Answers: username_1: Thanks for the detailed report! I noticed this too in the last few months, but there has been no update in Lunar's code for more than 6 months so I'm still not sure what causes it. I'll try to debug this again in a few days. username_2: Just wondering, what does this mean about the "coming soon" badge for external brightness sensors? I'm interested in adding support for i1 Display Pro and Spyder4Pro, if you need help can you point me where to start? Thanks for this awesome tool btw. username_0: I noticed that it mostly happens when macbook is awaken after a long sleep while being connected to external monitor the whole period. However, when this happens, the brightness sticks at 0.0 no matter I do and randomly goes away during the day. username_1: Lunar will support external ambient light sensors through serial connection and will have a websocket server implementation so that everyone can implement their own sensor if serial is not enough. The most important thing I'm working on is a simple firmware + no-solder instructions for a simple and cheap USB light sensor that everyone can make on their own using $4 worth of parts from Amazon/AliExpress. For now there is no way to add support for i1 Display Pro or Spyder4Pro but I'll look into them and try to add make it easy to support those as well. username_0: @username_1 is there any hint from where the bug originates from? Is there anything we can reset to make it work when broken? username_0: @username_1 is there anything we can do to help in solving this issue? I can also confirm it happening on Big Sur. And apparently that it is happening way less this some other screen I'm using — not sure why the screen is the issue but I have LG Ultrafine 34" and LG Ultrafine 38", it almost never happens with the 38". I tried switching cables (first uses DP->Usb-c and second HDMI->Usb-c) but the cable is not the issue. However, I was able to fix the sensor (till next sleep?) by switching cables from DB->Usb-c to Usb-c->Usb-c. username_1: I'm still debugging this when I have time for Lunar development. It takes time because I can't reproduce it consistently and I have to constantly run Lunar in a debugger and wait for the problem to appear. For my case, changing the mode from Sync to Location to Manual and back to Sync always solves this issue, so that might be a faster workaround than reconnecting the cables. Other than that, there's not much else you can do until I release a new version. username_0: Hmm, I'm facing this issue almost every morning. If it is easy to run the app in the debugger, I can do so later this week and send you logs — maybe a short screen recording by you aka "how to run the app in the debugger" can help. I am not a native mac developer but I played with ios apps for a while and have dev env prepared so shouldn't be hard for me. username_2: I tried to fork and build the project, but currently stuck because [this NSPageControl library](https://github.com/nerd0geek1/NSPageControl) can't be built on Xcode 12 (needs Swift v3?). Anyway, I think I've narrowed down the problem: on resume, it's possible that the display IDs get reassigned, i.e. the internal display which was display 0 could become display 1 and the external could become display 0. You can check this by installing the `brightness` command: `brew install brightness` and then run `brightness -l`. In my case, Lunar is reading 0.0 for the brightness, presumably checking only display 0. But the internal one is (now) display 1: ``` ❯ brightness -l display 0: main, active, awake, online, external, ID 0x1b5d9b4e brightness: failed to get brightness of display 0x1b5d9b4e (error -536870201) display 1: active, awake, online, built-in, ID 0x4280f80 display 1: brightness 0.397461 ``` @username_1 I suggest looping over all the displays and using the first valid brightness value. username_1: Possible fix in **Lunar 4**. You can download it from the official website: https://lunar.fyi If the issue is not fixed, click on **Open Lunar Diagnostics** from the Lunar menu, press keys when prompted, and after the diagnostics process shows it has finished, fill in your name and email and click on **Send Diagnostics**. *Note: Lunar 3 is not supported anymore and I won't be responding to issues coming from that version* Status: Issue closed
picoe/Eto
515809461
Title: Is this project dead? Question: username_0: First, my heartfelt thanks to Curtis for taking the time to develop and make available this awesome project. Having said that, I see very few commits, hardly any support, and no community to speak of. The error could be mine but, is this project dead? Answers: username_1: Hey @username_0, thanks for the inquiry. I'm not sure how many commits a project would need to be considered "alive", but given there have been commits [almost every week in the past year](https://github.com/picoe/Eto/graphs/commit-activity), I'd say that would be a clear sign that it is not dead. Also, in the [past month](https://github.com/picoe/Eto/pulse/monthly) there's been 6 merged PR's, 4 new issues, and 6 closed issues. Not a lot, but why would it need a lot? Wouldn't that be a sign of a poor design, missing features, or a buggy framework? One message I've heard from developers is that they don't submit issues or request features or are generally inactive in the community because Eto.Forms does what they need. This project is used in commercial applications and others that are used every day, and companies are paying money to make Eto.Forms better. I'm not sure what else you would want from a project, but I hope this sheds some light on its current status. Status: Issue closed username_0: Thank you for the quick reply. I am delighted to hear the error is mine and will proceed to recommend to my manager that we give Eto a try for our Linux and Mac ports.
MicrosoftDocs/OfficeDocs-Enterprise
598974511
Title: Add Windows Native Mail Client to the List Question: username_0: I can't seems to find Windows Native Mail Client in the list although for sure it is one of the Windows Apps which does support modern authentication when we sign-in. Could we get this document updated to add Add Windows Native Mail Client to the List. This indeed would be helpful as many customer's are in process of evaluating their environment for clients and applications that supports modern auth in awake of basic auth to be disabled in future for exchange online. Answers: username_1: @username_0 - May we know which Microsoft document link you used in reference to this issue? Please share it with us so we can investigate further. Thank you. username_0: I am referring to modern auth app doc below Office 365 Client App Support - Modern Authentication https://docs.microsoft.com/en-us/office365/enterprise/office-365-client-support-modern-authentication username_2: @username_0 Thank you for the feedback. This document pertains only to Office 365 Applications so the windows native app isn't added to the list. Hope this helps! Thanks Sri username_0: Thank you Sri, is there a documentation referring to windows native apps with modern auth, I couldn't find one. username_2: @username_0 I could not find one pertaining to Windows Mail Application. I was able to test and it supports Modern authentication. Thanks Sri username_0: Thanks Sri, yes it works and have confirmed that it is supported , it is just that there is no public documentation for it. So it becomes reactive where customer opening a ticket to ask with support rather proactively finding a documentation themselves which do not exist, that's why i was trying to get this updated username_2: @username_0 We have requested the author of the below document to update about Modern auth support. You should see an update on it soon. https://support.office.com/en-us/article/set-up-email-in-the-mail-app-for-windows-10-7ff79e8b-439b-4b47-8ff9-3f9a33166c60 Thanks Sri username_1: @username_0 - Thank you for submitting feedback. This doc - https://support.office.com/en-us/article/set-up-email-in-the-mail-app-for-windows-10-7ff79e8b-439b-4b47-8ff9-3f9a33166c60 does not belong to the Enterprise repo. However, as mentioned by @username_2, we have already engaged the author for that doc you wanted to be updated about this feedback. We will close this issue now. Thank you for your contribution to make the docs better! Much appreciated! Status: Issue closed
coltonw/sensors-are-down
255095877
Title: Add phased or cinematic battles Question: username_0: Ships start on opposite sides of the planet, and can only send planetary troops for the first two turns. In order for planetary troops to find each other, they have to clear a landing area which will be AI natives they have to fight off on the planet. Each player faces the same natives, but the exact natives fought by the two players could be different each game for some variety. A player who has beaten the natives damages the opponents, while a player who has not must continue fighting their natives until they beat them in order to start damaging the opponent. Since this game is digital, adding neutral AI elements is an interesting way we can go that a normal game could not do. Answers: username_1: I like the idea of a third party, natives could maybe be hostile by default but what if there was a card that allowed you to take a diplomatic approach with the natives and get them on your side in combat...? I also think that in terms of cinematic multi-stage battles, there could be some really interesting stuff in determining how these stages progress, what thresholds determine moving from one stage to another, and whether it is a linear cause-effect progression or more of an area control/conquest/ king-of-the-hill kind of game where the player can gain control of adjacent areas to what they already control. Obviously we risk getting more confusing the more we get into things like this where there is a map/graph you can't see, but I think if you narrate it effectively it could be really cool. Also, different cinematic games could be developed as episodic content, with some kind of story built in. When you progress from one stage to another, the events in between can be played out in the form of little "cutscenes", or basically radio play scenes. That could be fun. And with different episodes/missions playing out differently, this could be a really cool way to add replayability and an avenue for future content to be added to the game. :D
LoneGazebo/Community-Patch-DLL
145474272
Title: Crash to desktop Question: username_0: It always happens 2 or 3 turns after this autosave: https://docs.google.com/document/d/11lBwTanFKwnz3J5FxvadOjz7VIpKVR9UuCfvvscO9T4/edit?usp=sharing Answers: username_0: Using the total package of CBP, with EUI compatibility. No other mods, latest version. username_1: Your link is to a personal document - you may want to fix that! :) I did not read it, promise. username_0: oups. Corrected it! thnx! username_2: I have a smiliar issue, random crash to desktop while AI is loading (next round after this one). Using the latest package of CBP, no EUI, with all of JFD's new civs (all new civs and collaborations except "Oman"), Civ traits, Cultural Diversity, Events and Decisions and Yet Not Another Earth Map Pack. Need help! https://www.dropbox.com/s/t8886fsa5p1l54f/Dufour_0140%20-%200600%20n.%20Chr..Civ5Save?dl=0 username_1: Unfortunately I can't debug heavily modded saves like that. I can really only debug CTDs with the base set of mods. username_1: @username_0 , the CTD went to disassembly, so I assume it is EUI. Status: Issue closed username_0: Ok. I will stop using it again. The only thing I really miss from it when playing is the leaders profiles and city states+quests icons on the right side. Saves a lot of time. But it is true that without EUI the game is faster... username_1: Yep. EUI can crash, though, especially late-game. It's just not a well-optimized mod, truth be told. Lua is expensive, and can be buggy.
HPI-Information-Systems/Metanome
466850954
Title: Want change in Normalization algorithm Question: username_0: Normalize algorithm, it will take a dataset (represent table with columns and data) and then the final output it will check the table if it is in BCNF normal form or not. If it is NOT in BCNF it will produce an output that is a new schema of the table (decomposed of two or more tables) that is in BCNF with a primary key for each of the new tables. If the dataset is already in BCNF normal form It will just produce a primary key for the table. As you can see the algorithm has 7 steps: (the highlighted step is the step I want to change as I will explain later) 1—FD discovery: here it uses a specific algorithm name HyFD to discover and extract all the functional dependencies FDs 2—Closure calculation : this is to calculate the closure of the given FDs from step 1, this step is necessary to extract the keys of the table and check violations of BCNF. 3—key derivation: here they use a specific algorithm to derive the keys named DUCC 4—violating FD identification: after having the keys and the functional dependencies, this step the algorithm will check each functional dependency and identify the functional dependencies that violate BCNF. If there are violating FDs it will go to step 5 then 6 then repeat 3,4 until there are no violations then finally step 7. If there are NO violating FD it will go to step 7 directly. I want to change this and make much simpler as I will explain later. 5—violation FD selection: if there are violating FD this step will select specific FDs 6—schema decomposition: in this step it will decompose the data set to BCNF 7—Primary key selection: this step is to select a primary key for the table The changes I want to make: Mainly I want the algorithm to stop at step 4 and ignore steps 5,6,7 and do NOT execute them. Only display a message if the dataset is BCNF or not in BCNF. After you finish the changes and you test it with metanome with the dataset of metanome and every thing is correct, I want you to send me the jar file ( and also the source code)so I can run it in metanome in my computer How to change: I want to change step 4 in the algorithm because I want the algorithm to check the FDs one by one, if it finds a violating FD it should exit and print a message on the screen “the table violates BCNF normal form”, and do NOT check the rest of the FDs, just print the message and end the program (do not execute steps 5,6,7). Otherwise it will continue to check the rest of the FDs and when there is no violating FD in all FDs it will exit and print a message on the screen “the table is in BCNF normal form” and also end the program (do not execute steps 5,6,7). Can you help in this change Answers: username_0: hello sir username_1: For that, you don't need to change the algorithm: Run the algorithm and if the result is the same as the input relation, i.e., if there is only one output relation, “the table is in BCNF normal form”; otherwise, “the table violates BCNF normal form”. If you really need that change, got to: https://github.com/HPI-Information-Systems/metanome-algorithms/blob/master/Normalize/src/main/java/de/metanome/algorithms/normalize/Normi.java#L342 and replace the test with: `if (violatingFds.isEmpty())` ` System.out.println(“the table is in BCNF normal form”);` `else` ` System.out.println(“the table violates BCNF normal form”);` `return;` username_0: Thank you so much Sir. But Now i just need last help and again i will be very thankful to if you give me some to solve my that problem. ***** Need Small change******* In Normalization algorithm Schema.java has the method getViolatingFds. The algorithm of getViolatingFds is in the following picture: https://imge.to/i/lcivA As you see in the picture , the method checks the FDs in a loop one by one, it also checks other things : from line 10 to line 14 it checks stuff for primary key and foreign key Which I do not need and I do not want it to check so the changes in this method I want: 1. Do NOT execute from line 10 to line 14 ( not to perform the checking) 2. If the algorithm finds one violating FD it should put it in list and exit the loop so the loop have one violating FD. Otherwise if the FD is not violating BCNF the loop should continue to check the rest of the FDs. This change can be done as the following : In simple if algorithm found one violating FD it stop their and show the message and terminate Not check rest of fds Violating or not. Whenever algorithm found one violating fds it just terminate immediately. Just this small change i want i hope it will not take too much time of your. Please Help me Sir i am waiting for your reply.. Thanks username_1: You can find the function from the pseudo code here: https://github.com/HPI-Information-Systems/metanome-algorithms/blob/master/Normalize/src/main/java/de/metanome/algorithms/normalize/structures/Schema.java#L427 To not execute the lines 10 to 14, you can remove the lines 434 to 444 from the actual code. I don't know which other effects this might have in the algorithm, but if you thought this through and need it, this removal should do the trick. The loop of the pseudo code is actually implemented as a parallel task, i.e., the fds are checked in parallel rather than one after another. So its not that easy to simply exit the loop. You could remove the parallelization and replace the line 383 with the content of the function in line 427. Then it should be easy to simply break the loop when then first violation is found. Status: Issue closed
RobbieClarken/youtube-channel-to-playlist
365219519
Title: Only add new videos Question: username_0: Dear @username_1, Running into a different issue now. As mentioned on the other issue, the adding to a playlist works now. However, it slightly defeats the purpose. My end goal: create a playlist mix of three different channels with on-going videos starting from now. The command I performed yesterday started to add all (historic) videos from the channel to the playlist. Soon I hit the playlist limit (only X amount of videos) without even having gotten to "today". Do you have any suggestion for me? Yours appreciatively Answers: username_1: Hi @username_0 - I didn't even know there was a limit to how many videos can be in a playlist. Perhaps you could create seperate playlists for each year or month? My script won't segregate them automatically but it shouldn't be too much trouble for you to modify it to do this. You can see it is [sorting the videos by the date published on line 59](https://github.com/username_1/youtube-channel-to-playlist/blob/7dee36e9509f4d9fde0f663f905e092d70af4815/channel_to_playlist.py#L59) so you could add some filtering there. If you wanted to try this, you can clone the repo and install your local copy with: ``` git clone https://github.com/username_1/youtube-channel-to-playlist pip3 install -U -e youtube-channel-to-playlist ``` username_1: I can see that being useful to other people so I'd be happy to include it if you want to submit a PR. I'd suggest both a `--before` and `--after` option. username_0: OK, let me see if I am able to implement that and send you a PR. :) Status: Issue closed username_1: Hi @username_0 - I discovered a need for these options myself so went ahead and implemented them. They are documented in the readme. username_0: Nice, thanks Robbie!
techlahoma/techlahoma_donations
366513389
Title: Remove wording about gifts Question: username_0: Remove "Surprise members-only end of year gift" and any other references to gifts. Answers: username_1: Also requested in #77 username_2: @username_0 & @username_1 PR #79 should do it. I'm going to go ahead and merge it and deploy it. Let me know if you spot anything else. Status: Issue closed
SAlmandos2/TSSE-TP3
906612914
Title: Se puede refactorizar el código Question: username_0: Dado que todos los led arrancan apagados sería buena idea reemplazar esta linea https://github.com/username_1/TSSE-TP3/blob/25216f4b387f5dc37b172034b755932d53ee8d88/src/leds.c#L11 por una llamada a la función `Led_TurnOffAll()` Status: Issue closed Answers: username_1: Perfecto. esto sucedería cuando hago la depuración de la prueba de TurnOffAll?
orange-cloudfoundry/paas-templates
466344532
Title: New ruby sample app should be monitored Question: username_0: ### Expected behavior New ruby sample app should be monitored ### Observed behavior Old ruby sample app is still monitored As new sample app does not have the same name `cf-sample-app-ruby` -> `cf-default-app-ruby`, monitoring config should be updated ### Affected release Reproduced on version 41.0.2 * [x] I have reviewed provided traces against secrets (credentials, internal URLs) that should not be leake, manually of using some tools such as [truffle-hog file:///user/dxa4481/codeprojects/mytraces.txt](https://github.com/dxa4481/truffleHog#truffle-hog) Answers: username_1: merged for v42 Status: Issue closed
ikedaosushi/tech-news
399415997
Title: とても学びがある技術記事英語の日本語翻訳の面白さをまとめてみた Question: username_0: &#12392;&#12390;&#12418;&#23398;&#12403;&#12364;&#12354;&#12427;&#65281;&#25216;&#34899;&#35352;&#20107;&#65288;&#33521;&#35486;&#65289;&#12398;&#26085;&#26412;&#35486;&#32763;&#35379;&#12398;&#38754;&#30333;&#12373;&#12434;&#12414;&#12392;&#12417;&#12390;&#12415;&#12383;<br> &#12371;&#12435;&#12395;&#12385;&#12399;&#12290;Findy&#12391;&#21103;&#26989;&#12434;&#12375;&#12390;&#12356;&#12427;&#12289;&#26705;&#21407;&#65288;@k-kuwahara&#65289;&#12391;&#12377;&#65281; Web&#25216;&#34899;&#12395;&#38306;&#12377;&#12427;&#12469;&#12452;&#12488;&#65288;&#20363;&#12360;&#12400;&#12501;&#12524;&#12540;&#12512;&#12527;&#12540;&#12463;&#12398;&#20844;&#24335;HP&#12394;&#12393;&#65289;&#12399;&#22810;&#25968;&#12452;&#12531;&#12479;&#12540;&#12493;&#12483;&#12488;&#12395;&#20844;&#38283;&#12373;&#12428;&#12390;&#12362;&#12426;&#12414;&#12377;&#12364;&#12289;&#12450;&#12463;&#12475;&#12473;&#12375;&#12390;&#12415;&#12427;&#12392;&#12289;&#22823;&#25269;&#33521;&#35486;&#12391;&#26360;&#12363;&#12428;&#12390;&#12362;&#12426;&#12414;<br> http://bit.ly/2HlhhCW
keybase/client
172776490
Title: OSX GUI: add descriptive text to provisioning login Question: username_0: The CLI UI has a very nice descriptive text explaining provisioning. It'd be very helpful if that text were to appear in the GUI too to help explain how the provisioning process works. ``` The device you are currently using needs to be provisioned. Which one of your existing devices would you like to use to provision this new device? ```
pupnp/pupnp
842244343
Title: UpnpInit2 always output logs to stderr regardless of third NULL parameter Question: username_0: If calling `UpnpInit2` you can specify with its third parameter the log file name, NULL if no logging. But NULL has no effect. There is still logging to stderr even if that parameter is set to NULL. Answers: username_1: I think this should be fixed by https://github.com/pupnp/pupnp/commit/7d540b0bc1b11f88537821ec3d7e71d78408766f
isawnyu/isaw.web
128892923
Title: Bylines not appearing in blog items Question: username_0: When a person's name is listed in the "creators" field for a blog post, that name appears in the news blog tile view, but not inside the blog post itself. (Whereas a byline is displayed in both places if a valid username is entered in the "creators" field.) If two or more creators are listed, only the first one appears. The byline should be able to display more than one author, and ideally it should also be able to display the name of a creator who does not have a web site login. If we can't display more than one name (or the contents of one line) from the Creators field, then the explanatory text for filling out that field should be adjusted accordingly. Assigning to Tom for a patch suggestion. Answers: username_0: The current text for the Creators field is: "Creators Persons responsible for creating the content of this item. Please enter a list of user names, one per line. The principal creator should come first." username_1: We might want to try adapting some of [this code from the Pleiades skin](https://github.com/isawnyu/PleiadesEntity/blob/master/skins/PleiadesEntity/citationAuthors.py) to override the default Plone 4 byline behavior (which just picks up the first creator as author) in [the viewlet document_byline.pt at v. 2.3.x](https://github.com/plone/plone.app.layout/commit/b1d1ea7071c6ed606d9fbb8cee66fe892557f52f) (which is what we're currently using). username_1: But see also: * http://stackoverflow.com/questions/8827304/can-more-than-one-author-be-listed-in-the-byline username_1: And see: http://docs.plone.org/4/en/old-reference-manuals/plone_3_theming/elements/visibleelements/plone.belowcontenttitle.documentbyline.html username_1: I have a modified template, applied via the ZMI, for this capability now in stakeholder review via staging. If no major objections, I'd hope to deploy (via ZMI) on production shortly, then follow-up by incorporating in code. username_2: [Don't forget to remove it from the custom skin when the code's been deployed!] username_1: in work in branch issue110 username_1: bumping to medium priority as there's a workaround in place, but there's a downstream gotcha lurking until it's been incorporated in code. username_3: I've got this one licked, @username_1, but I'd like some eyes on the pull request before merging it. We must also remember that to properly close this, once the code is deployed you will need to delete the customized version of this byline viewlet template from the ZMI. Otherwise, that version will take precedence over this one. username_3: @username_4 I thought I'd pinged you on this, but looking back, I clearly failed to do so. Wondering if you'd do a bit of code review, and then merge/deploy to staging if ready? username_3: @username_1 this is now merged, but it is not yet deployed. Will assign to you when I'm sure it's ready on staging for review. username_3: Deployed. Marking as reviewable and assigning to @username_1 username_1: @username_3 this is very close, but it looks like we're trapping whitespace somewhere between the end of each creator string and the trailing comma: <img width="417" alt="screen shot 2016-06-08 at 7 51 11 am" src="https://cloud.githubusercontent.com/assets/263285/15894858/d40a67ac-2d4d-11e6-9111-d05bf806a94d.png"> ``` <NAME></a> </span>, ``` I think we need something that ends without whitespace between the closing of the ```a``` element and the closing of the surrounding ```span``` element (without introducing any between the closing of the ```<span>``` element and the comma, like: ``` <NAME></a></span>, username_3: I'll see if I can't squash that. I thought I had. Thanks username_3: Yep, found it. As soon as we can get this deployed, I'll re-assign back for review. username_1: That's got it! Please deploy to production. username_0: The functionality appears to be correct on production, but did the customized version of the byline viewlet template get deleted from the ZMI? username_2: @username_0 I imagine it did, or should have been (the idea being to keep everything in code and minimize the use of the ZMI), but we'll have to wait until @username_3 is back from vacation next week to ask. username_4: This has been deployed and the TTW customized byline has been removed. Status: Issue closed username_0: Thanks! Closing ticket.
BedquiltDB/pybedquilt
68103042
Title: Better Client params Question: username_0: Params should be: - connection (a psycopg2 connection) - dsn (psycopg2 dsn string) - kwargs (use to build a new connection). Answers: username_0: Partly addressed by 0511c021382b693923bf1d9d29285fc760c5e464 and 2958a6c9021ade05e00d8927b7bb6fee50ae4c6e
LincT/lmn
309736614
Title: UX (User experience testing) Question: username_0: Once you have the extra features implemented, you'll need to find some example users to test them. You should use feedback from these tests to improve your application. I'll be asking you about the results of UX testing when you present your project.
rancher/rancher
559522591
Title: Run Scan action on the cluster in the clusters page does not work Question: username_0: **What kind of request is this (question/bug/enhancement/feature request):** bug **Steps to reproduce (least amount of steps as possible):** - Deploy a cluster - On the cluster page, click on `more options` on the cluster and select `Run CIS scan` option. <img width="1159" alt="Screen Shot 2020-02-03 at 10 47 21 PM" src="https://user-images.githubusercontent.com/26032343/73720672-59feb880-46d7-11ea-8405-f1d489ece7bc.png"> - Error seen on the console. <img width="530" alt="Screen Shot 2020-02-03 at 10 45 09 PM" src="https://user-images.githubusercontent.com/26032343/73720675-5b2fe580-46d7-11ea-8ede-4dcd79c6e1e1.png"> **Expected Result:** Run Scans action should be performed on the cluster **Other details that may be helpful:** **Environment information** - Rancher version (`rancher/rancher`/`rancher/server` image tag or shown bottom left in the UI): master-head - ui tag: latest2 - Installation option (single install/HA): single <!-- If the reported issue is regarding a created cluster, please provide requested info below --> **Cluster information** - Cluster type (Hosted/Infrastructure Provider/Custom/Imported): rke - Kubernetes version (use `kubectl version`): ``` 1.17 ``` Answers: username_0: **verified on latest master-head - commit id: `f01cca783`, ui tag: `latest2`** - On the cluster page, click on more options on the cluster and select Run CIS scan option. - A notification is seen that the CIS scan is running on the cluster <img width="1421" alt="Screen Shot 2020-02-06 at 10 02 30 AM" src="https://user-images.githubusercontent.com/26032343/73965064-4c5c5500-48c8-11ea-8082-ce607ad47b10.png"> - On going to Tools --> CIS Scans --> The latest reports are generated. Status: Issue closed
KilledByAPixel/JSONCrush
1137381141
Title: Unable to shorten generated url Question: username_0: JSONCrush gives me a generated URL: https://evmconnector.dev/load/('a!'0xa652dd22ad2059c31ee27a7a5eb9399c7336dad7'~f![('n!'allowanceEGHMHYI-approve*DauthorizeSW*H.-bZI-currentStakeEGHMHYIMIMIMQ-decimalsXpureNYuint8q-deRDdeposit*I.-domainSeparatorV4EYbytes32q-emergencyPause*Q.-inRDinitializeK.-mintJuice*LMuint256[]q.-namejownerEYH-pausedEYQ-renounceOwnershipK.-sWEYH-symboljtotalSupplyEYI-U*DUFrom*HMDUOwnership*H.-unstakedBZI-updatePriceOracles*LML_*H_AndCallXpayableNGHMbytesq.-withdraw*I.])])*KG-]),('n!'.]~o![DHMIYQ-EXviewNG('t!'HaddressqIuint256qKXnonpayableNLaddress[]qM,GN'~i![QboolqRcreaseAllowance*UtransferWignalAggregatorX'~t!'Y.GZalanceOfEGHY_.-upgradeTojEYstringq-q')qj_ZYXWURQNMLKIHGED.-*_ Because of the 'header start' character towards the end, I'm unable to enter the URL in any URL shortener service, such as tinyurl.com . I need to have the URL shortened because I need to paste it into Slack and Slack cuts the URL at the same special character. Any ideas? Thanks Status: Issue closed Answers: username_1: I have it set so it appends an extra character to end which is ignored to fix issues I was having like this. It was _ but I guess that is causing a problem with some links so I changed it to just be a capital J. The last character is ignored when uncrushed so it doesn't matter what character you use here. Let me know if this fixes your issue. https://github.com/username_1/JSONCrush/blob/master/JSONCrush.js#L151
AurinaBMH/WORMPlosCBtemplate
243582425
Title: Fig. 8 Question: username_0: Alex: add a figure for "For the Louvain consensus modules, gene coexpression, 472 r, was significantly increased for connected neurons in the same module (1 552 pairs) 473 relative to connected pairs in different modules (687 pairs)" (p=6.6 10^-4). AA: probably distributions? Could make 2 x 3 panel in Fig. 8: 3 distributions on top, everything else in bottom row). Alex: suggest presenting Louvain results here, then adding a line saying ERMM results are in Supps. AA: I think better to present results for both in the main text as they are different, so can't just say - same with ERMM. Alex: axis labels should be larger, Data points should be larger and lower opacity. AA: agree with opacity and label size. E: Alex: should plot non-hub interneurons here for comparison. i.e., is coexpression still elevated in non-command hub interneurons compared to non-hub INs? AA: no significant difference between non-command hubs and non-hub interneurons, but distribution for non-command hubs is visually lower than for non-hub interneurons. Probably showing the distribution will raise more questions than give answers. Answers: username_1: I think it's fine. Status: Issue closed
pytorch/vision
499758485
Title: Faced AttributeError: module 'torch.jit' has no attribute 'unused' when running GoogleNet Question: username_0: When I run the following code ``` import torch model = torch.hub.load('pytorch/vision', 'googlenet', pretrained=True) model.eval() ``` There are some mistakes and I encounter: `AttributeError: module 'torch.jit' has no attribute 'unused'` And in `inception.py` line 168, there is `@torch.jit.unused`. How can I solve this problem if I want to use your official implementation GoogleNet? Status: Issue closed Answers: username_1: Hi, TorchVision master now requires a recent enough version of PyTorch. One thing you can do is to use `torchvision.models.googlenet`, or update your PyTorch installation. Also, see https://github.com/pytorch/hub/issues/55 for more discussion about this problem (which is in TorchHub, and not in torchvision). As such, I'm closing this issue, but feel free to continue the discussion at that issue in torchhub username_0: Thank you very much~ username_2: but i install latest version of pytorch and torchvision, this still happend username_1: @username_2 You need to install a nightly version of PyTorch and torchvision. Alternatively, next week we will be releasing a new stable version of both.
aws/sagemaker-python-sdk
924318190
Title: Deploy method cannot find update_endpoint keyword argument 'update_endpoint' Question: username_0: Please fill out the form below. System Information Framework (e.g. TensorFlow) / Algorithm (e.g. KMeans): I'm using from sklearn with IsolationForest Framework Version: Python Version: Python 3.8 CPU or GPU: CPU Python SDK Version: Are you using a custom image: Yes. I started from your example scikit_bring_your_own and modified it from there. Describe the problem I want to update an endpoint that already exists. According to your docs, this should be easy. https://sagemaker.readthedocs.io/en/stable/overview.html Where the example given is Deploys the model that was generated by fit() to an existing SageMaker endpoint mxnet_predictor = mxnet_estimator.deploy(initial_instance_count=1, instance_type='ml.p2.xlarge', **update_endpoint**=True, endpoint_name='existing-endpoint') However, I when I try the deploy method it does not recognize update_endpoint (where sklearn_estimator is create with **from sagemaker.sklearn.estimator import SKLearn** ): predictor = sklearn_estimator.deploy(instance_type="ml.t2.medium", initial_instance_count=1,endpoint_name=endpoint_name,update_endpoint=True) Minimal repro / logs TypeError Traceback (most recent call last) in () ----> 3 predictor = sklearn_estimator.deploy(instance_type="ml.t2.medium", initial_instance_count=1,endpoint_name=endpoint_name,update_endpoint=True) ~/anaconda3/envs/python3/lib/python3.6/site-packages/sagemaker/estimator.py in deploy(self, initial_instance_count, instance_type, accelerator_type, endpoint_name, use_compiled_model, **kwargs) 362 model = self._compiled_models[family] 363 else: --> 364 model = self.create_model(**kwargs) 365 return model.deploy( 366 instance_type=instance_type, ~/anaconda3/envs/python3/lib/python3.6/site-packages/sagemaker/estimator.py in create_model(self, role, image, predictor_cls, serializer, deserializer, content_type, accept, vpc_config_override, **kwargs) 706 return Model(self.model_data, image or self.train_image(), role, 707 vpc_config=self.get_vpc_config(vpc_config_override), --> 708 sagemaker_session=self.sagemaker_session, predictor_cls=predictor_cls, **kwargs) 709 710 @classmethod TypeError: init() got an unexpected keyword argument 'update_endpoint' Exact command to reproduce: ----> 3 sklearn_estimator.deploy(instance_type="ml.t2.medium", initial_instance_count=1,endpoint_name=endpoint_name,update_endpoint=True) Answers: username_1: I've got the sameproblem while using sagemaker 2.68.0 ``` WARNING:sagemaker.deprecations:update_endpoint is a no-op in sagemaker>=2. See: https://sagemaker.readthedocs.io/en/stable/v2.html for details. --------------------------------------------------------------------------- TypeError Traceback (most recent call last) <ipython-input-120-5b86bd9b2ad7> in <module> ----> 1 predictor = estimator.deploy(initial_instance_count=1, instance_type=instance_type, update_endpoint=True, endpoint_name=endpoint_name) /opt/conda/lib/python3.7/site-packages/sagemaker/estimator.py in deploy(self, initial_instance_count, instance_type, serializer, deserializer, accelerator_type, endpoint_name, use_compiled_model, wait, model_name, kms_key, data_capture_config, tags, **kwargs) 945 else: 946 kwargs["model_kms_key"] = self.output_kms_key --> 947 model = self.create_model(**kwargs) 948 949 model.name = model_name /opt/conda/lib/python3.7/site-packages/sagemaker/sklearn/estimator.py in create_model(self, model_server_workers, role, vpc_config_override, entry_point, source_dir, dependencies, **kwargs) 214 vpc_config=self.get_vpc_config(vpc_config_override), 215 dependencies=(dependencies or self.dependencies), --> 216 **kwargs 217 ) 218 /opt/conda/lib/python3.7/site-packages/sagemaker/sklearn/model.py in __init__(self, model_data, role, entry_point, framework_version, py_version, image_uri, predictor_cls, model_server_workers, **kwargs) 133 self.py_version = py_version 134 --> 135 super(SKLearnModel, self).__init__( 136 model_data, image_uri, role, entry_point, predictor_cls=predictor_cls, **kwargs 137 ) TypeError: super(type, obj): obj must be an instance or subtype of type ``` As the warning says, this feature has been deprecated on SM >2.0 but the docs haven't been updated to let us know what is the solution to that problem. Of course, I can use boto client to do that but it seems a little unintuitive.
DJMare/express_Sequelize_RunningQueries_QueryBasedOnOperators
526959833
Title: Require Sequelize and set Sequelize Op to a variable index js file (Sequelize_RunningQueries_QueryBasedOnOperators) Question: username_0: ![Require Sequelize and set Sequelize Op to a variable index js file (Sequelize_RunningQueries_QueryBasedOnOperators)](https://user-images.githubusercontent.com/35668707/69394773-f9043e80-0caa-11ea-8a96-6dfb133a814e.JPG)<issue_closed> Status: Issue closed
MicrosoftDocs/azure-docs
528341450
Title: Is Enterprise GIT supported? Question: username_0: when i run this i get below. i changed the original enterprise git url az acr task create \ --registry amitest \ --name utilsbuild \ --image utils:{{.Run.ID}} \ --context https://scm.abctest.com/kubernetes/utils.git \ --file Dockerfile \ --git-access-token xxxxxxxxx Operation failed with status: 'Bad Request'. Details: "{\"error\":{\"code\":\"InvalidRepositoryUrl\",\"message\":\"Invalid repository URL 'https://scm.abctest.com/kubernetes/utils.git'. For more information see the tutorial https://aka.ms/acr/tasks/tutorial-git-trigger.\",\"target\":\"VisualStudioTeamService\",\"details\":null}}" --- #### Document Details ⚠ *Do not edit this section. It is required for docs.microsoft.com ➟ GitHub issue linking.* * ID: 5f246d4b-b6bc-3058-ebf8-f7964bdf28b9 * Version Independent ID: 6a0db8fa-aa31-258b-7fbe-21482c7f81c6 * Content: [Tutorial - Build image on code commit - Azure Container Registry](https://docs.microsoft.com/en-us/azure/container-registry/container-registry-tutorial-build-task) * Content Source: [articles/container-registry/container-registry-tutorial-build-task.md](https://github.com/Microsoft/azure-docs/blob/master/articles/container-registry/container-registry-tutorial-build-task.md) * Service: **container-registry** * GitHub Login: @username_3 * Microsoft Alias: **danlep** Answers: username_1: @username_0 Thanks for the question! We are investigating and will update you shortly. username_1: @username_3 will acr task support enterprise git? username_1: @username_3 Please add your comments and update the doc if needed username_2: You cannot create Tasks and enable commit or pull-request trigger on github enterprise. It’s not supported. You may still create a task if you want to set up timer trigger or base image update trigger to build your project, but you need to pass ‘—commit-trigger-enabled false’ username_3: I will update the documentation to point this out. Thanks @username_0 for raising the issue. username_3: Note added in https://docs.microsoft.com/en-us/azure/container-registry/container-registry-tasks-overview #please-close Status: Issue closed username_5: I have just created an "idea" on feedback.azure.com for adding support for GitHub Enterprise. For anyone reading this issue, please vote for the idea so that it hopefully gets implemented. https://feedback.azure.com/forums/903958-azure-container-registry/suggestions/39965746-support-github-enterprise-for-acr-task-triggers
JGCRI/gcamdata
251418204
Title: L1233/L2233 water chunks could be simplified Answers: username_1: @username_2 I'm checking on old issues to try to clean up the gcamdata repository - it looks like this issue has not been taken care of yet, correct? I also want to make sure I understand the issue. I think you may have been referring to a few different things: 1) There are a bunch (20+) of energy/A23 files. Some of these could potentially be combined 2) `module_energy_L223.electricity`, `module_gcamusa_L223.electricity_USA`, and `module_water_L2233.electricity_water` all produce a ton of outputs (40-60 each), which ultimately just get combined into a few xmls. Are both of these what you wanted to address? username_2: @username_1 It's been so long I'm not sure what exactly I was referring to other than that we could condense some repetitive input data. I'm not sure if it matters at this point, but making an effort to reduce repetition moving forward may be sufficient.
AndreMiras/EtherollApp
315774486
Title: Roll history disappear when closing the app Question: username_0: That was one feedback from a user. This is more like a feature in fact. But perhaps we should cache either some of the requests (well that would grow quite a lot), or we should save last state of the history in the user configs. This is more like an investigation ticket, to think about how to handle it. Answers: username_0: Fixing https://github.com/username_0/EtherollApp/issues/50 will help the user to see something is happening.
dtolnay/path-to-error
482171101
Title: Error doesn't implement `std::error::Error` Question: username_0: Hello I'd like to ask if not implementing `std::error::Error` on the `Error` type is just an omission or if it is on purpose. If it's omission, I can submit a MR, but I'm not 100% sure what to use as the `Display` ‒ maybe `"{}: {}", self.path(), self.inner()`? Answers: username_1: I would accept a fix for this. That message looks good to me. Status: Issue closed
Open-Systems-Pharmacology/OSP-based-publications-and-content
272527707
Title: Improving Therapeutics to Better Care for Older Adults and the Young: Report From the American College of Clinical Pharmacology Workshop. Question: username_0: https://www.ncbi.nlm.nih.gov/pubmed/29023776 <NAME>. 2017 Oct 11. doi: 10.1002/jcph.1024. [Epub ahead of print] Lau SWJ1, Schlender JF2,3, Abernethy DR1, Burckart GJ1, Golden A4, Slattum PW5, Stegemann S6,7, Eissing T2. PMID: 29023776 DOI: 10.1002/jcph.1024
JetBrains/ideolog
1179451570
Title: Need Large File Support Question: username_0: There isn't a log file worth its salt under 10 MB. This kept saying it wouldn't support files over 2.56 MB. Its worthless if that is the case. If its not you need to add a Max Size that actually means something. I tried upping the edit file size support and it would only go to 2.56 MB regardless of what I put in.
ardalis/Result
683788728
Title: Update README to show typical use cases Question: username_0: The sample has several ways to use the library, but these should be called out in the README file as well. Should be broken up into just using the Result object and its helpers, and then separately the integration with AspNetCore for Actions/Endpoints. Answers: username_1: I'm currently working a project that uses the clean architecture a.k.a onion architecture. I'll install this package come up with a use case for **integration with AspNetCore for Actions/Endpoints** Status: Issue closed username_0: This is done.
toggl-open-source/toggldesktop
623236832
Title: "Submit Feedback" Option Available When Logged Out Question: username_0: <!-- Before submitting a new issue, please make sure that the same issue has not been created already --> ### 💻 Environment <!-- Info about the platform and Toggl Version. It helps us narrow down the issue to smaller section of our project --> Platform: macOS OS Version: macOS 10.15.4 Toggl Version: 7.5.123 (downloaded from App Store) ### 🐞 Actual behavior While logged out from the app, the Help menubar still contains an active "Send Feedback" option. One can type information, attach an image, click "Send", and receive a confirmation popup that a message was sent, but no message is actually sent to Toggl. ### 💯 Expected behavior "Send Feedback" should not be available until after login Answers: username_1: The issue is that the menu item is under the "Help" menu and macOs adds a search field to help menu automatically and thanks to that it does not trigger the check that other menus do to check if user is logged in or not. username_1: It turned out that the menu item tags were not aligned so that's why the check didn't work. Status: Issue closed
fanout/django-liveresource
341626922
Title: MIDDLEWARE_CLASSES is deprecated after Django 1.10 Question: username_0: July 16, 2018 - 18:20:12 Django version 2.0.7, using settings 'mysite.settings' Starting development server at http://127.0.0.1:8000/ Quit the server with CONTROL-C. Unhandled exception in thread started by <function check_errors.<locals>.wrapper at 0x10c1d8598> Traceback (most recent call last): File "/liveresource/django-liveresource/venv/lib/python3.6/site-packages/django/utils/autoreload.py", line 225, in wrapper fn(*args, **kwargs) File "/liveresource/django-liveresource/venv/lib/python3.6/site-packages/django/core/management/commands/runserver.py", line 140, in inner_run handler = self.get_handler(*args, **options) File "/liveresource/django-liveresource/venv/lib/python3.6/site-packages/django/contrib/staticfiles/management/commands/runserver.py", line 27, in get_handler handler = super().get_handler(*args, **options) File "/liveresource/django-liveresource/venv/lib/python3.6/site-packages/django/core/management/commands/runserver.py", line 65, in get_handler return get_internal_wsgi_application() File "/liveresource/django-liveresource/venv/lib/python3.6/site-packages/django/core/servers/basehttp.py", line 44, in get_internal_wsgi_application return import_string(app_path) File "/liveresource/django-liveresource/venv/lib/python3.6/site-packages/django/utils/module_loading.py", line 17, in import_string module = import_module(module_path) File "/liveresource/django-liveresource/venv/lib/python3.6/importlib/__init__.py", line 126, in import_module return _bootstrap._gcd_import(name[level:], package, level) File "<frozen importlib._bootstrap>", line 994, in _gcd_import File "<frozen importlib._bootstrap>", line 971, in _find_and_load File "<frozen importlib._bootstrap>", line 955, in _find_and_load_unlocked File "<frozen importlib._bootstrap>", line 665, in _load_unlocked File "<frozen importlib._bootstrap_external>", line 678, in exec_module File "<frozen importlib._bootstrap>", line 219, in _call_with_frames_removed File "/liveresource/django-liveresource/mysite/mysite/wsgi.py", line 16, in <module> application = get_wsgi_application() File "/liveresource/django-liveresource/venv/lib/python3.6/site-packages/django/core/wsgi.py", line 13, in get_wsgi_application return WSGIHandler() File "/liveresource/django-liveresource/venv/lib/python3.6/site-packages/django/core/handlers/wsgi.py", line 140, in __init__ self.load_middleware() File "/liveresource/django-liveresource/venv/lib/python3.6/site-packages/django/core/handlers/base.py", line 39, in load_middleware mw_instance = middleware(handler) TypeError: object() takes no parameters Answers: username_0: Kindly considering align the code with Django 2. Thank you username_1: Hi, this project is incomplete, so porting won't be enough. Hopefully someday we can do more development with LiveResource but for now it remains mostly an interesting idea. username_0: Just curious: what this module is intended for? Anyway, the `MIDDLEWARE_CLASSES` can be fixed by this: https://stackoverflow.com/questions/42232606/django-exception-middleware-typeerror-object-takes-no-parameters username_1: The module was intended to implement the [LiveResource protocol](https://github.com/liveresource/protocol/blob/master/liveresource-protocol.md), to provide easy realtime API development. I believe all the server developer would need to do is add a `@live` decorator on any view functions that need to serve live data, and call `updated()` whenever the content of a view has changed. At least that was the goal, if this project were finished. username_0: Very helpful. Thank you Status: Issue closed
goharbor/harbor
833378821
Title: using singularity push fail, with s3 Question: username_0: release: 2.1.3 1. install harbor with aws s3 storage, redirect enable or disable 2. export SINGULARITY_DOCKER_USERNAME=admin 3. export SINGULARITY_DOCKER_PASSWORD=<PASSWORD> 4. singularity pull --allow-unsigned busybox.sif library://library/default/busybox 5. singularity -v push -U busybox.sif oras://s3.cicd.xxx/library/busybox:test ![image](https://user-images.githubusercontent.com/188115/111412856-2682c000-8718-11eb-86ac-1f534ebe0b6c.png) Answers: username_0: registry.log ![image](https://user-images.githubusercontent.com/188115/111413703-b70dd000-8719-11eb-95a0-b3a7c6559877.png)
rubyzip/rubyzip
332720635
Title: Verify integrity of a ZIP file Question: username_0: How can I use rubyzip to just verify local and central CRCs? Answers: username_1: This seems like more of a usage question, so you might have better luck asking it on StackOverflow with the rubyzip tag: https://stackoverflow.com/questions/tagged/rubyzip Status: Issue closed
jhipster/generator-jhipster
680353268
Title: Enhancement of ZonedDatetime Question: username_0: WDYT ? Answers: username_0: Better : I found [this little gem of a library](https://github.com/marschall/threeten-jpa/tree/master/threeten-jpa-zoned-hibernate) which makes it as simple as ```java @Type(type = ZonedDateTimeType.NAME) @Columns(columns = { @Column(name = "my_date"), @Column(name = "my_date_zoneid") }) @JsonFormat(with = JsonFormat.Feature.WRITE_DATES_WITH_ZONE_ID) private ZonedDateTime myDate; ``` without the need to add new fields username_1: you're the boss in this domain @username_0 : I'm trusting you here :) username_2: It's look great, a bit weird to think that no "out of the box" solution exists for every DB but well... Just a question: could we just keep the "myDate" setter? I wonder if the others are useful (setMyDateZoneId and myDateLocalDateTime). username_0: Yes that setter will still be here. I just didn't show it for simplicity. I wonder if the others are useful (setMyDateZoneId and myDateLocalDateTime). With the first solution they were needed to reset the ZonedDatetime. But with the second solution the LocalDateTime. and ZoneId fields don't exist so the corresponding getters/setters won't be present either. username_3: @username_0 Any updates on this issue? Can we close it? username_0: I've got something almost ready. Just need some time to finish it. username_4: Hi, I'm making some considerations about the timezone topic and I've found this issue open, so instead of opening a new one I'd like to ask you...does make sense to set liquibase like this: `<column name="myDateTime" type="timestamp with time zone"/>` ? This allows to store the time with timezone. The fact is that I'm lazy and I don't want to add a new column for timezone for each datetime field :-) I see many people talking about that, it makes me feel like I'm missing something in my considerations about this topic. username_0: No. The liquibase type `timestamp with time zone` corresponds to a time offset (+01:00, +02:00, etc...), not a zone id ("PDT, CET, etc...) which takes DST in consideration. If you're only interested in the time offset, you can use an `OffsetDateTime` instead. username_4: In fact I'm only interested into having time saved correctly, I'm using `Instant` class username_1: WDYT ?
microsoft/STL
955336603
Title: <filesystem> Should path::make_preferred collapse directory_separators? Question: username_0: The microsoft/STL implements this by replacing all /s with \s in the path: https://github.com/microsoft/STL/blob/bd7adb4a932725f60ba096580c415616486ab64c/stl/inc/filesystem#L913 (I probably wrote this code so you know who to blame 😅) as does Boost: https://github.com/boostorg/filesystem/blob/87d3c1fd8ab94c188719681ee0bb8f63c2998586/src/path.cpp#L231 Answers: username_0: I observe that both major POSIX implementations do not collapse: https://gcc.godbolt.org/z/vxnxY57G8
ifzhang/FairMOT
934281953
Title: Fine-tune official crowdhuman_dla34.sh: error in modulated_deformable_im2col_cuda: invalid device function Question: username_0: Hi, thanks for your awesome work. I got this error when running sh experiments/crowdhuman_dla34.sh. How can I solve this? Any help is very appreciated. error in modulated_deformable_im2col_cuda: invalid device function Traceback (most recent call last): File "train.py", line 98, in <module> main(opt) File "train.py", line 70, in main log_dict_train, _ = trainer.train(epoch, train_loader) File "/home/cybercore/oldhome_2/nhat/workspace/project/cano/FairMOT/src/lib/trains/base_trainer.py", line 120, in train return self.run_epoch('train', epoch, data_loader) File "/home/cybercore/oldhome_2/nhat/workspace/project/cano/FairMOT/src/lib/trains/base_trainer.py", line 72, in run_epoch output, loss, loss_stats = model_with_loss(batch) File "/home/cybercore/oldhome_2/quang/anaconda3/envs/fairmot/lib/python3.7/site-packages/torch/nn/modules/module.py", line 722, in _call_impl result = self.forward(*input, **kwargs) File "/home/cybercore/oldhome_2/nhat/workspace/project/cano/FairMOT/src/lib/trains/base_trainer.py", line 19, in forward outputs = self.model(batch['input']) File "/home/cybercore/oldhome_2/quang/anaconda3/envs/fairmot/lib/python3.7/site-packages/torch/nn/modules/module.py", line 722, in _call_impl result = self.forward(*input, **kwargs) File "/home/cybercore/oldhome_2/nhat/workspace/project/cano/FairMOT/src/lib/models/networks/pose_dla_dcn.py", line 473, in forward x = self.dla_up(x) File "/home/cybercore/oldhome_2/quang/anaconda3/envs/fairmot/lib/python3.7/site-packages/torch/nn/modules/module.py", line 722, in _call_impl result = self.forward(*input, **kwargs) File "/home/cybercore/oldhome_2/nhat/workspace/project/cano/FairMOT/src/lib/models/networks/pose_dla_dcn.py", line 411, in forward ida(layers, len(layers) -i - 2, len(layers)) File "/home/cybercore/oldhome_2/quang/anaconda3/envs/fairmot/lib/python3.7/site-packages/torch/nn/modules/module.py", line 722, in _call_impl result = self.forward(*input, **kwargs) File "/home/cybercore/oldhome_2/nhat/workspace/project/cano/FairMOT/src/lib/models/networks/pose_dla_dcn.py", line 384, in forward layers[i] = upsample(project(layers[i])) File "/home/cybercore/oldhome_2/quang/anaconda3/envs/fairmot/lib/python3.7/site-packages/torch/nn/modules/module.py", line 722, in _call_impl result = self.forward(*input, **kwargs) File "/home/cybercore/oldhome_2/quang/anaconda3/envs/fairmot/lib/python3.7/site-packages/torch/nn/modules/conv.py", line 907, in forward output_padding, self.groups, self.dilation) RuntimeError: cuDNN error: CUDNN_STATUS_INTERNAL_ERROR Segmentation fault (core dumped) Answers: username_1: the problem is about cudnn installation error, not about FairMOT. username_0: You are right, upgrade to Cuda 10.2 solved my problem Status: Issue closed
platformio/platformio-core
417661373
Title: "Error: no handler found" when cleaning the project Question: username_0: - [X ] **PlatformIO Core**. If you’ve found a bug, please provide an information below. ------------------------------------------------------------------ ### Configuration **Operating system**: Win 7 pro 64bit **PlatformIO Version** (`platformio --version`): ### Description of problem clicking on on cleaning project, shows up an error "Error: no handler found" This action may clean the project or not, but this error shows up. #### Steps to Reproduce 1. Click on clean project button at the toolbar below ### Actual Results The message "Error: no handler found" shows up in the output terminal ### Expected Results The cleaning should success without any error **The content of `platformio.ini`:** ```ini [env:disco_l475vg_iot01a] platform = ststm32 board = disco_l475vg_iot01a framework = mbed debug_tool = stlink build_flags = -D PIO_FRAMEWORK_MBED_RTOS_PRESENT ``` **Source file to reproduce issue:** ```cpp #include "mbed.h" #include "rtos.h" Queue<uint32_t, 5> queue; DigitalOut myled(LED1); void queue_isr() { queue.put((uint32_t*)2); myled = !myled; } void queue_thread(void const *args) { while (true) { queue.put((uint32_t*)1); Thread::wait(1000); } } int main (void) { Thread thread(queue_thread); Ticker ticker; ticker.attach(queue_isr, 1.0); while (true) { osEvent evt = queue.get(); if (evt.status != osEventMessage) { printf("queue->get() returned %02x status\n\r", evt.status); } else { printf("queue->get() returned %d\n\r", evt.value.v); } } } ``` ### Additional info ![image](https://user-images.githubusercontent.com/15887222/53863326-35dbb880-3fea-11e9-828e-ff50ad79989a.png) Answers: username_0: The errors messages shows up also while compiling ![image](https://user-images.githubusercontent.com/15887222/53863417-79362700-3fea-11e9-8871-c47b5b69b7a3.png) ![image](https://user-images.githubusercontent.com/15887222/53863510-b0a4d380-3fea-11e9-8f56-6ab76adb2bb6.png) username_1: See https://community.platformio.org/t/in-vsc-task-window-always-popping-up-error-no-handler-found/6511 Status: Issue closed username_0: excellent
pwa-builder/PWABuilder
1067554257
Title: Analyzing TikTok in PWABuilder results in Security test failing Question: username_0: **Describe the bug** Run https://www.tiktok.com/foryou through PWABuilder, and the security test fails. **URL to app** https://www.tiktok.com/foryou **To Reproduce** Steps to reproduce the behavior: 1. Analyze https://www.tiktok.com/foryou in PWABuilder 2. Security test comes back as failed, showing 0 score for security Note: this fails maybe 50-75% of the time. If it succeeds for you, try it once or twice more, you should see it. Answers: username_1: investigate why this fails username_2: Sometimes I get a 0 for the service worker but never a 0 for security. Unable to reproduce within 5 attempts. (Emptied cache in btwn attempts)
mosesr-kim/stock-tracker
927444799
Title: Refactor: to ES6 Question: username_0: - [ ] ... <!-- add as many items as you need --> - [ ] ... - [ ] Remove all console logs. - [ ] Remove all commented out code. - [ ] Remove all CSS properties that have no effect. - [ ] Check all code for proper formatting and indentation. - [ ] Confirm that there are no errors in the console while using the application. - [ ] Confirm that all previous functionality still works without errors. - [ ] Confirm that the user interface looks natural on both mobile and desktop screens.<issue_closed> Status: Issue closed
openjournals/joss-reviews
577892596
Title: [PRE REVIEW]: Pydiogment: A Python package for audio augmentation Question: username_0: **Submitting author:** @username_2 (<a href="http://orcid.org/0000-0002-5610-9086"><NAME></a>) **Repository:** <a href="https://github.com/username_2/pydiogment" target ="_blank">https://github.com/username_2/pydiogment</a> **Version:** v0.1.0 **Editor:** Pending **Reviewer:** Pending **Managing EiC:** <NAME> **Author instructions** Thanks for submitting your paper to JOSS @username_2. **Currently, there isn't an JOSS editor assigned** to your paper. @username_2 if you have any suggestions for potential reviewers then please mention them here in this thread (without tagging them with an @). In addition, [this list of people](https://bit.ly/joss-reviewers) have already agreed to review for JOSS and may be suitable for this submission (please start at the bottom of the list). **Editor instructions** The JOSS submission bot @username_0 is here to help you find and assign reviewers and start the main review. To find out what @username_0 can do for you type: ``` @username_0 commands ``` Answers: username_0: Hello human, I'm @username_0, a robot that can help you with some common editorial tasks. For a list of things I can do to help you, just type: ``` @username_0 commands ``` For example, to regenerate the paper pdf after making changes in the paper's md or bib files, type: ``` @username_0 generate pdf ``` username_0: ``` Reference check summary: OK DOIs - 10.1038/s41592-019-0686-2 is OK - 10.21437/interspeech.2019-2680 is OK - 10.5281/zenodo.3607820 is OK - 10.1016/j.specom.2005.10.004 is OK - 10.1109/IAdCC.2013.6514336 is OK - 10.1016/j.procs.2015.10.020 is OK - 10.1109/ICACDOT.2016.7877753 is OK - 10.1109/TENCON.2008.4766487 is OK - 10.1201/9781315219707 is OK MISSING DOIs - None INVALID DOIs - None ``` username_0: [ :point_right: Check article proof :page_facing_up: :point_left: ](https://github.com/openjournals/joss-papers/blob/joss.02151/joss.02151/10.21105.joss.02151.pdf) username_1: I've suggested a bunch of small changes in https://github.com/username_2/pydiogment/pull/6, and pointed out one phrase that I don't understand username_2: Suggestions for potential reviewers: desilinguist, rougier, krother, sealhuang, ahurriyetoglu, or jkahn. username_3: @username_0 assign @username_3 as editor username_0: OK, the editor is @username_3 username_4: @username_3 I would also like to bring up @justinsalamon the author of [scaper](https://github.com/justinsalamon/scaper) and @bmcfee the author of [muda](https://github.com/bmcfee/muda) which are both software packages with a very similar use case. I think it would be important to include one of them as reviewers to reduce the overlap between these packages. username_5: Dear authors and reviewers We wanted to notify you that in light of the current COVID-19 pandemic, JOSS has decided to suspend submission of new manuscripts and to handle existing manuscripts (such as this one) on a "best efforts basis". We understand that you may need to attend to more pressing issues than completing a review or updating a repository in response to a review. If this is the case, a quick note indicating that you need to put a "pause" on your involvement with a review would be appreciated but is not required. Thanks in advance for your understanding. _<NAME>, Editor in Chief, on behalf of the JOSS editorial team._ username_3: @username_0 assign @bmcfee as reviewer username_0: OK, @bmcfee is now a reviewer username_3: @username_0 add @justinsalamon as reviewer username_0: OK, @justinsalamon is now a reviewer username_3: @username_0 start review username_0: OK, I've started the review over in https://github.com/openjournals/joss-reviews/issues/2167. Status: Issue closed
fariazz/zenvavr
524429799
Title: Unable to add Grabble script to game objects Question: username_0: ![image](https://user-images.githubusercontent.com/492289/69064256-2e482c80-0a1e-11ea-8faf-970324a7c5c3.png) Answers: username_1: I'm seeing the same issue. I'm also seeing two compilation errors: ``` Assets/ZenvaVR/Toolkit/Scripts/AutoPoseSource.cs(36,26): error CS0117: 'InputDevices' does not contain a definition for 'GetDevicesWithCharacteristics' Assets/ZenvaVR/Toolkit/Scripts/AutoPoseSource.cs(36,56): error CS0103: The name 'InputDeviceCharacteristics' does not exist in the current context ``` I'm on MacOS (10.14.02) just in case that's related. None of the ZenvaVR scripts appear in the `Add Component -> Scripts` menu. username_0: @DanielBuckley101 @username_3 are you seeing the issues I have filed? username_2: Hey there @username_0 and @username_1 . The reason for these errors, is because the Zenva VR library was developed with Unity 2019.3. In 2019.3, there are a few changes to the UnityEngine.XR library, causing previous code to be deprecated. So changes such as implementing 'GetDevicesWithCharacteristics' was needed. This is also probably the cause of not being able to attach the scripts since there would be problems with the compiling. Switching over to 2019.3 or later should fix this issue. Right now 2019.3 is in beta, although it will become the official build very soon. Hope this helps. Status: Issue closed
Blayzeing/robo-pad
520504083
Title: Explore wrapping volatile variable use in an ATOMIC_BLOCK Question: username_0: Found in commit 7f3efdf2e9761bf674a33f09b0bbe65a245b632d, lines 476-478 Answers: username_0: We basically just need to see if the variable references need to be wrapped or, probably more accurately, if wrapping them causes any negative effects - if it doesn't, we'll use it.
nathanboktae/esformatter-asi
157916563
Title: Remove ; from es2015 features Question: username_0: Hi, Thanks for a great plugin :). I found in some cases, semicolons aren't removed, although it is legal (or at least I think it is) to do so: **.esformatter** ```json { "preset": "default", "root": true, "plugins": [ "esformatter-asi" ] } ``` **sample.js** ```js import 'some/other/class'; @Decorator export default class Example { @Inline property = ''; @OtherLine variable = ''; } ``` Formatting _sample.js_ doesn't change the file one bit :(. Answers: username_1: Glad you like it! Yup there are some new tokens I'm not looking for here that are being missed. username_1: Never because attribute based programming is a huge antipattern everyone should avoid. Even the rare cases when I want a class, es6 classes are limited vs es5 (want to make a getter enumerable? SOL with es6. Have truly private state? Declare your "methods" in the constructor and access closure variables). JavaScript is a beautiful functional language, please move on from the dark ages of OOP. I'll take PRs on this if you want to tackle it.
Hypfer/Valetudo
582815736
Title: [Viomi] Dummycloud is (always) spoofing 203.0.113.1 Question: username_0: ``` 3. Copy it to your Robot `scp valetudo root@robot:/mnt/UDISK/` 4. See error `root@TinaLinux:~# /mnt/UDISK/valetudo ` ``` [2020-03-17T07:30:02.079Z] [INFO] Loading configuration file: /mnt/data/valetudo/config.json […] [2020-03-17T07:30:02.275Z] [INFO] Dummycloud is spoofing 203.0.113.1:8053 on 127.0.0.1:8053 [2020-03-17T07:30:02.280Z] [INFO] Webserver running on port 80 ``` ## Expected behavior Have the config file on the robot set up correctly. When editing /mnt/data/valetudo/config.json at least the IP is set correctly. I'm now getting another error (local request 15016 get_status timed out) but I have not yet looked further into it. ## Additional context Valetudo built with https://github.com/Hypfer/Valetudo/tree/5dc6e438afc1361b1955230a854a8c677da01e45 Status: Issue closed Answers: username_0: Oh God, I'm just stupid. The config file is created the first run and will not be updated by newer builds. It seemes, I had an error in one of my first builds. Deleting the file will create a new one with the right values..
antoinecarme/pyaf
182839277
Title: Hierarchical Forecasting : Middle-out approach Question: username_0: This approach is still missing. Generate new columns with MO prefix based on base forecasts for all hierarchy levels. Answers: username_0: https://github.com/username_0/pyaf/commit/0bedd00df33a749f9dd2c1aa8cbed889ea5548af username_0: Committed middle-out approaches. https://github.com/username_0/pyaf/commit/03a72b442e3fc0a610911dceae175a6ad16dc474 Added options for controlling the combination methods. Added hierarchies tests with various combination approaches (BU, TD, … Added grouped time series tests with various combination approaches (……BU, TD, MO, OC) username_0: The middle-out approach is now supported. Closing this issue. Status: Issue closed
unr-vertnet/unr-herps
53269074
Title: Monthly VertNet data use report for December, 2014, resource unr-herps Question: username_0: Your monthly VertNet data use report is ready! You can see the HTML rendered version of the reports through this link http://htmlpreview.github.io/?https://github.com/unr-vertnet/unr-herps/blob/master/reports/UNR-unr_herps_2015_01_02.html or you can see and download the raw report via GitHub as a text file (https://github.com/unr-vertnet/unr-herps/blob/master/reports/UNR-unr_herps_2015_01_02.txt) or HTML file (https://github.com/unr-vertnet/unr-herps/blob/master/reports/UNR-unr_herps_2015_01_02.html). To download the report, please log in to your GitHub account and view either the text or html document linked above. Next, click the "Raw" button to save the page. You can also right-click on "Raw" and use the "Save link as..." option. The txt file can be opened with any text editor. To correctly view the HTML file, you will need to open it with a web browser. You can find more information on the reporting system, along with an explanation of each metric, here: http://www.vertnet.org/resources/usagereportingguide.html Please post any comments or questions to http://www.vertnet.org/feedback/contact.html Thank you for being a part of VertNet.
RichTillis/gsd-todo-app
410509684
Title: Grouping Todo by color coding todos Question: username_0: On the home page when the todos are not segmented (just listed as an entire list), have some color indicator to denote what group type each todo is associated with. Answers: username_0: color coding the entire item would look ridiculous. Maybe a simple colored icon? username_0: went out in release 2 Status: Issue closed
tigrr/circle-progress
610797191
Title: Additional text below the value Question: username_0: Is it possible to add additional text under the value? For instance: <img src="https://i.imgur.com/DqvdIZB.png"> Thanks. Answers: username_1: You can generate arbitrary SVG code passing your function as the value of `textFormat` option. See [this fiddle](https://jsfiddle.net/tikosar/ctozxfp0/). **Be careful** though. `innerHTML` is used to insert the result of function call. All dynamics values must be escaped. (No need to escape `value` and `max` arguments to custom function, they are already formatted as numbers.) username_1: @username_0 one more thing. I've just updated the repo. Please make sure to use the latest version. username_0: @username_1 Excellent, thank you! Status: Issue closed
aws/aws-app-mesh-roadmap
1045270789
Title: Feature Request: Release Envoy v1.20.0 Question: username_0: The Envoy team released v1.20.0: https://github.com/envoyproxy/envoy/releases/tag/v1.20.0. We should update the App Mesh Envoy Container Image to use v1.20.0. Answers: username_0: The images have been released: * For `me-south-1`: ``` 772975370895.dkr.ecr.me-south-1.amazonaws.com/aws-appmesh-envoy:v1.20.0.0-prod ``` * For `ap-east-1`: ``` 856666278305.dkr.ecr.ap-east-1.amazonaws.com/aws-appmesh-envoy:v1.20.0.0-prod ``` * For `eu-south-1`: ``` 422531588944.dkr.ecr.eu-south-1.amazonaws.com/aws-appmesh-envoy:v1.20.0.0-prod ``` * For `af-south-1`: ``` 924023996002.dkr.ecr.af-south-1.amazonaws.com/aws-appmesh-envoy:v1.20.0.0-prod ``` * For `cn-north-1`: ``` 919366029133.dkr.ecr.cn-north-1.amazonaws.com.cn/aws-appmesh-envoy:v1.20.0.0-prod ``` * For `cn-northwest-1`: ``` 919830735681.dkr.ecr.cn-northwest-1.amazonaws.com.cn/aws-appmesh-envoy:v1.20.0.0-prod ``` * For all other [regions where App Mesh is available](https://docs.aws.amazon.com/general/latest/gr/appmesh.html): ``` 840364872350.dkr.ecr.<region>.amazonaws.com/aws-appmesh-envoy:v1.20.0.0-prod ``` e.g. ``` 840364872350.dkr.ecr.us-west-2.amazonaws.com/aws-appmesh-envoy:v1.20.0.0-prod ``` * Public ECR Image: ``` public.ecr.aws/appmesh/aws-appmesh-envoy:v1.20.0.0-prod ``` We'll keep this issue open as we update the recommended image our other projects (e.g. aws/aws-app-mesh-controller-for-k8s), examples, and documentation. Status: Issue closed
Azure/azure-functions-python-library
560674397
Title: Add a py.typed file for PEP 561 compliance Question: username_0: The code seems to be fully-typed, in which case a `py.typed` file is needed in `azure/functions` to mark the package as being typed. https://www.python.org/dev/peps/pep-0561/#packaging-type-information Answers: username_1: Thanks for reminding @username_0, I will add the marker in the next release. Status: Issue closed
bolt/docs
107608376
Title: The "available" test seems to be missing in bolt Question: username_0: And it still remains in the docs: https://docs.bolt.cm/templatetags#available When I try to use it: ``` {% if 'boltforms' is available %} {{ boltforms() }} {% endif %} ``` I get this error: ![bolt-test-error](https://cloud.githubusercontent.com/assets/3504472/10006463/a651102c-607a-11e5-9cd8-e569a317d2be.png) Answers: username_1: is 'defined' what you're looking for? http://twig.sensiolabs.org/doc/tests/defined.html ```twig {# and attributes on variables names #} {% if foo.bar is defined %} ... {% endif %} ``` username_2: The correct code is like this: ``` {% if Disqus is defined %} {# Show the Disqus comment box, if the Disqus extension is installed .. #} <h4>Leave a comment</h4> {{ Disqus.disqus() }} {% endif %} ``` Note, `Disqus` in this case is the Classname of the extension. No quotes should be added. Thanks, @username_0! We will fix this in the docs. Status: Issue closed username_0: Thanks for the reply! This is the code that ended up working for me (for bolt forms at least). ``` {% if BoltForms is defined %} {{ boltforms() }} {% endif %} ```
owntracks/ios
76596890
Title: UIKit Question: username_0: #### in -[UIApplication _handleDelegateCallbacksWithOptions:isSuspended:restoreState:] * Number of crashes: 1 * Impacted devices: 1 There's a lot more information about this crash on crashlytics.com: [https://fabric.io/owntracks/ios/apps/org.mqttitude.mqttitude/issues/55557fd5f505b5ccf0d4608e](https://fabric.io/owntracks/ios/apps/org.mqttitude.mqttitude/issues/55557fd5f505b5ccf0d4608e) Answers: username_1: 8.0.27 Status: Issue closed
kra/futel
1099865454
Title: apply for oregon community foundation creative heigths grant Question: username_0: https://oregoncf.org/grants-and-scholarships/grants/creative-heights/ The LOI application form will open January 5, 2022. Letters of Inquiry (LOI) must be submitted online by 11:59pm (PST) on February 15, 2022 (Tuesday) Selected proposals will be invited to submit a full application in early April. Full applications (by invitation only) will be due May 13, 2022. Final funding decisions will be announced in August 2022.<issue_closed> Status: Issue closed
spring-projects/spring-boot
132979820
Title: Odd incompatibility from BufferedInputStream and RandomAccessDataFile::DataInputStream Question: username_0: We faced the issue that some class file lead to a ClassFormatException from BCEL which is inside of AspectJ Weaver upon class loading via spring-boot. Oddly, if the class was extracted from the jar everything was fine. Debugging deeply I found out that the culprit is a wrapping BufferedInputStream around the given InputStream, which is a RandomAccessDataFile::DataInputStream. If the BufferedInputStream is removed the class bytecode can be loaded and validated flawlessly. We use spring-boot 1.2.8 and aspectj 1.8.8 with Oracle JDK 7u80 and 8u66 Answers: username_1: @username_0 Can you please provide a small sample that reproduces the problem? Status: Issue closed username_0: Hi. Sorry for replying so late and the confusing - I was busy hunting the issue. I can now confirm that the issue is not related to spring-boot. I could isolate the issue in a small test program that loads the "broken" class file outside of spring-boot. It seems to be an issue in the the BCEL version embedded into AspectJ. username_1: No problem! Thanks for letting us know username_0: In case that anyone is interested: I reported the issue with a patch to the AspectJ team - https://bugs.eclipse.org/bugs/show_bug.cgi?id=487927
avasalya/cortex_sdk_linux
977859291
Title: Have you been able to run it correctly on previous versions of Ubuntu and Cortex ? Question: username_0: Hi @username_1 , When I ran clienttest on Ubuntu 20.04 for Cortex8+Windows10 using the SDK from this repository, I got a result of 0 for tracked data in the `****** Cortex_GetBodyDefs ******` section, as shown below: ``` $ sudo ./clienttest Info: Initializing using my address: 192.168.3.35 Info: Initializing using Cortex host address: 192.168.3.3 Warning: int setReceiveBufferSize(SOCKET, int), ReceiveBuffer size is 425984, but set 1048576 Warning: int setReceiveBufferSize(SOCKET, int), ReceiveBuffer size is 425984, but set 1048576 Info: Initialized multi-cast frame reader Info: AutoConnected to: Cortex.dll Version 8.1.0 at 192.168.3.3 () ****** Cortex_FrameRate ****** ContextFrameRate = 100.0 Hz ****** Cortex_GetBodyDefs ****** total no of bodies tracked 0 *** start live mode *** ``` I know you didn't make this, but the ReadMe update said it was tested on Ubuntu a while ago, so please let me know if I can at least get BodyDefs using the open source in this repository. Answers: username_1: @username_0 It should work properly if you have correctly followed all the instructions as per the README I have not used it since late 2018, but I’ll tell you as much as I remember. in order to connect between cortex/windows, you need to manually create a local LAN network on your Ubuntu machine, after that connect both machines such that they share same network hub (or just connect them directly via LAN/ETHERNET cables) after that, goto your cortex windows settings and set the IP address of your lan network that you created earlier. make sure you have set the right port too on both machines if all settings are correct then you should be able to trigger play on cortex/windows from your Ubuntu machine. I think you will need to create some ros wrapper around it in order to pub/sub marker data I hope this helps, username_0: Thank you information @username_1, I've written this as the standard output when running crienttest above, but you can play LiveMode. The only thing that doesn't work as expected is the `Cortex_GetBodyDefs()` function to get the body. I wish the output value of `tracked data` was greater than or equal to 1, but it's not, so I'm stuck. The environment I'm testing on is Wi-Fi, not LAN network, so it's different from the part you described, but I don't know if it's related because I could remote LiveMode executing to Cortex. For ROS Pub/Sub messaging, I'm going to use the OSS created by others. username_0: @username_1 I tried the solution you gave me, but it didn't work. However, I tried with the sample that came with the installation, and it worked. I think it was caused by a faulty setting during data recording. I don't know where the problem is, but at least I think so, since it didn't work with the data I recorded for my own work. I discovered that the SDK uploaded here worked fine, so I'm closing this issue. I'll come back to comment if I find out anything more about the configuration. Status: Issue closed username_1: -- Best regards, <NAME>
tensorflow/tensorflow
398585640
Title: Documentation on reducing the binary size of tflite library on iOS Question: username_0: **System information** - TensorFlow version: r1.12 - Doc Link: https://www.tensorflow.org/lite/ **Describe the documentation issue** The tflite library seems to add around 6 MB to my iOS binary, which is far bigger than the 700 kB claimed in the documentation. Are there custom build options for tflite like there was with tfmobile that can help get this library size down? I haven't been able to find documentation on how to do this. For context, I've tried using both the Pod and also used the build_ios_universal_lib.sh script, but the library size still seems to be around 6 MB. Status: Issue closed Answers: username_0: Nevermind, after compiling with size optimization, this seems to be a non-issue. username_1: @username_0 hi,how can you set the compiling with size optimization. I build it for android and it gets 3.6M. username_0: The biggest issue I found for both iOS and android is building for all architectures, which puts multiple copies of tensorflow in the app and thus inflates your size. If you build for specific architectures, you will probably see more reasonable app sizes. (See e.g. [this](https://proandroiddev.com/reducing-apk-size-by-using-abi-filters-and-apk-split-74a68a885f4e) for how to do that). username_1: @username_0 sorry ,i did not make it clear. I mean the size of binary size of tflite library. The size of file libtensorflowLite.so. username_0: Ohh hm, sorry can't really help there :(. I haven't tried to compile from source for android, the package in the package manager worked fine for me. username_2: @username_0 Hi, i encounter same problem. I got a binary of libtensorflow-lite.a for arm64, it's around 7.5MB. Do you have any idea on how to reduce the size? Thanks in advance. username_0: I got the library from the build_ios_universal_lib.sh script, and then compiled in xcode with optimizations for space in the compiler settings. At first it looked a lot bigger than it actually was for me because I was looking at the size of the universal framework but once I looked at the size increases of the builds for the individual architectures, the size was a little over 1 MB. username_2: @username_0 Hi, What did you mean by "compiled in xcode with optimizations for space in the compiler settings", you meant to set some settings in Xcode when compile project which use libtensorflow-lite.a ? if so, can you tell me what settings you specified ? I'm a newbie in this area. Thanks a lot. username_3: Here's a diff of changes that worked for me to reduce the minimal binary size from ~2.9Mb to ~1.1Mb for Aarch64. Note that not all are necessary and I can't guarantee it works for everyone. My binary was running happily just fine: ``` diff --git a/tensorflow/lite/tools/make/Makefile b/tensorflow/lite/tools/make/Makefile index 6d4b0c0ce3..f0c398e8a3 100644 --- a/tensorflow/lite/tools/make/Makefile +++ b/tensorflow/lite/tools/make/Makefile @@ -55,11 +55,12 @@ LIBS := \ # There are no rules for compiling objects for the host system (since we don't # generate things like the protobuf compiler that require that), so all of # these settings are for the target compiler. -CXXFLAGS := -O3 -DNDEBUG -fPIC +CXXFLAGS := -Os -DNDEBUG -fPIC -ffunction-sections -fdata-sections -s CXXFLAGS += $(EXTRA_CXXFLAGS) CFLAGS := ${CXXFLAGS} CXXFLAGS += --std=c++11 LDOPTS := -L/usr/local/lib +LDFLAGS += -Wl, --gc-sections ARFLAGS := -r TARGET_TOOLCHAIN_PREFIX := CC_PREFIX := ```
dbs-leipzig/gradoop
206770970
Title: Add basic EdgeListDataSource Question: username_0: the current EdgeListDataSource requires a vertex to be labeled, e.g. ``` 0 EN 1 ZH 2 DE 0 EN ``` The basic case however is an unlabeled edge list often used when providing graph datasets. We should rename `EdgeListDataSource` to `VertexLabeledEdgeListDataSource` and create basic `EdgeListDataSource`<issue_closed> Status: Issue closed
EBISPOT/goci
677782289
Title: Submission for GCST007687 needs removing Question: username_0: Another submission with only 10 SNPs in the file. Files need removing from ftp and submission needs removing, same as . I have already removed the "full p value set" tick in the curation app. This needs doing before the next data release (2020-08-24) Answers: username_1: @username_0 - what is the submission ID? username_0: Just added it above, you're too fast for me @username_1! username_1: This is done on my side. username_2: cleared from FTP Status: Issue closed
xenia-project/game-compatibility
348893269
Title: 565707D6 - Killer is Dead Question: username_0: [Marketplace](https://marketplace.xbox.com/en-us/Product/KILLER-IS-DEAD/66acd000-77fe-1000-9115-d802565707d6) Tested on https://github.com/benvanik/xenia/commit/ba7dc6b2d7187a233d7175c75994828b498bec58 # Log: [xenia.zip](https://github.com/xenia-project/game-compatibility/files/2272017/xenia.zip) # Screenshot(s): ![screenshot 148](https://user-images.githubusercontent.com/33085810/43864415-e7a4e904-9b5f-11e8-83ed-3f92f8b42fec.png) ![screenshot 149](https://user-images.githubusercontent.com/33085810/43864416-e7c562c4-9b5f-11e8-8e22-ff01db53ef67.png) # Labels: (state-load) Answers: username_1: Tested on https://github.com/xenia-project/xenia/commit/0156d3ef26181aea5ac45a4f6eafc4135aa47edd Completed 2 missions with no issues. The game caps out at 31FPS. Probably Playable. ![kid (1)](https://user-images.githubusercontent.com/31154606/94567005-a1225680-0230-11eb-84e5-01d1c1f508d2.png) ![kid (2)](https://user-images.githubusercontent.com/31154606/94567014-a41d4700-0230-11eb-8b2f-e2d116d4484d.png) ![kid (3)](https://user-images.githubusercontent.com/31154606/94567026-a5e70a80-0230-11eb-83a0-6e4458817c23.png) ![kid (4)](https://user-images.githubusercontent.com/31154606/94567034-a8496480-0230-11eb-80e3-18e436315cbc.png) ![kid (5)](https://user-images.githubusercontent.com/31154606/94567044-aa132800-0230-11eb-8f33-e73d34cf33c7.png) ![kid (6)](https://user-images.githubusercontent.com/31154606/94567058-ac758200-0230-11eb-9847-923932787c8d.png) ![kid (7)](https://user-images.githubusercontent.com/31154606/94567071-af707280-0230-11eb-813d-622a2971c46e.png) ![kid (8)](https://user-images.githubusercontent.com/31154606/94567084-b1d2cc80-0230-11eb-9845-ac8d2f1d095a.png) ![kid (9)](https://user-images.githubusercontent.com/31154606/94567100-b4352680-0230-11eb-8916-13fa2fb39522.png) [xenia.zip](https://github.com/xenia-project/game-compatibility/files/5299380/xenia.zip) state-gameplay
silverwind/updates
437114608
Title: Unexpected behaviour with updates --patch Question: username_0: Hi, thanks for this great project. I found something which to me looks like it could be a bug and I thought I should show you. When running `updates --patch` I received this entry: ``` styled-components 2.5.0-1 4.2.0 https://github.com/styled-components/styled-components ``` See what you think but, looking at the output of `npm view styled-components versions`, I would expect that no patch updates are available for [email protected] as the next highest version after 2.5.0-1 is 3.0.1. Thank you for your time. Answers: username_1: Yes this is almost certainly a bug, I think the fact that you're on a prerelease tag confuses it, will check. Status: Issue closed username_1: Fixed in 8.0.2. username_0: Thanks @username_1 🤝
FACG4/mwb
343393521
Title: User journey Question: username_0: As a seller who has an online store at Market without Borders I should be able to manage the orders I receive from customers and update the customer on the status of their order. I should also be able to view all the items in my store, edit/update them, or add new items to my shop. Acceptance Criteria: * [ ] The user starts with a Login screen with the option to signup * [ ] signup should include a phone number, address, and M-pesa number * [ ] The home page includes a welcome message and two buttons, one for the Items category and other for Orders category * [ ] Menu should display Logo, Home link, profile link, and an option to log out * [ ] Items view should contain a list of clickable items with the option to add an item and delete an item. clicking the remove button pops a modal to confirm the action, after confirmation, a success message shows to the user * [ ] Add item view contains input faield for the name , id , description and image. clicking the done button pops a modal with success message to the user * [ ] orders view contains a tab to view pending orders, received (confirmed) orders, and shipped orders. * [ ] clicking an order shows its full details with the option to go back to the list of orders or to mark as sent (shipped) and allows the user to edit the details such as estimated delivery time. marking an order as sent shows a modal to enter the tracking number for the order.
keedio/flume-ng-sql-source
231543921
Title: delimiter of the incoming data from mysql Question: username_0: I see that the data is delimited by comma. I do have comma in my values as well and that seems to break the format. Is there a way I can use some other delimiter ? I am using hive as a sink and that requires me to specify the delimiter of my incoming data. This: serializer.delimiter , (Type: string) The field delimiter in the incoming data. To use special characters, surround them with double quotes like “\t”. It also needs me to make sure that this delimiter is not in the data values Answers: username_1: Hi username_0, I have also meet this issue. Do you already solve this issue? username_1: I have add a patch for this issue. Feel free to review it. https://github.com/keedio/flume-ng-sql-source/pull/32 username_2: Thanks @username_1 !! Status: Issue closed
MicrosoftDocs/azure-docs
319460924
Title: Managed disks & Best practices Question: username_0: 1. Does this documentation fits for managed disks? 2. Does the following best practice is still accurate “Do not schedule more than 40 VMs to back up at the same time“, and if so is it applicable for managed disks? Thanks --- #### Document Details ⚠ *Do not edit this section. It is required for docs.microsoft.com ➟ GitHub issue linking.* * ID: 2bdbfa0f-4305-1b2f-2dd9-a8c23e789a78 * Version Independent ID: 7ceb2658-7fa8-3fbb-a9a6-81ddd40f4dd3 * Content: [Planning your VM backup infrastructure in Azure](https://docs.microsoft.com/en-us/azure/backup/backup-azure-vms-introduction#best-practices) * Content Source: [articles/backup/backup-azure-vms-introduction.md](https://github.com/Microsoft/azure-docs/blob/master/articles/backup/backup-azure-vms-introduction.md) * Service: **backup** * GitHub Login: @username_1 * Microsoft Alias: **markgal;trinadhk;sogup** Answers: username_1: @username_0 , Thank you for your questions. Yes, the information in this article does apply to VMs with managed disks. For a little more explanation, the Azure Backup overview article [discusses backing up VMs with managed disks](https://docs.microsoft.com/en-us/azure/backup/backup-introduction-to-azure-backup.md#using-managed-disk-vms-with-azure-backup). Also, the recommendation to limit simultaneous backup jobs to 40 VMs still applies (and this recommendation includes VMs with managed disks). Hope that helps. username_1: #please-close Status: Issue closed
dotnet/core
456581544
Title: https://dotnet.microsoft.com/download/linux-package-manager/rhel/sdk-current Operating System: Linux RHEL - x64 Question: username_0: Problem encountered on https://dotnet.microsoft.com/download/linux-package-manager/rhel/sdk-current Operating System: Linux RHEL - x64 Provide details about the problem you are experiencing. Include your operating system version, exact error message, code sample, and anything else that is relevant. Answers: username_1: @username_0 can you provide more information? What problem are you facing? username_2: 3 weeks no response, closing. Feel free to reopen if there is more info available. Thanks! Status: Issue closed
cucumber/cucumber-js
206452117
Title: Setup on windows is not easy and not working after installing yarn Question: username_0: **prerequisites:** windows 10, nvm installed [email protected] **steps:** 1) $ cd c:\projects\me\ 2) $ git clone https://github.com/cucumber/cucumber-js.git 3) $ cd cucumber-js 4) $ npm install 5) $ npm test error - needs yarn 6) install chocolatey Right click - open cmd as administrator run this code $ @powershell -NoProfile -ExecutionPolicy Bypass -Command "iex ((New-Object System.Net.WebClient).DownloadString('https://chocolatey.org/install.ps1'))" && SET "PATH=%PATH%;%ALLUSERSPROFILE%\chocolatey\bin" success 7) npm install yarn -g 8) npm test **error - 354 errors....** one looks like this: PERM: operation not permitted, symlink 'c:\projects\me\cucumber-js\.babelrc' -> 'C:\Users\Me\AppData\Local\Temp\tmp-15232Qbohc2FjrLio\.babelrc' Answers: username_1: We have [appveyor](https://ci.appveyor.com/project/username_1/cucumber-js/history) setup to run the tests on a windows machine and its passing. That error is odd as I think the path `c:\projects\me\cucumber-js.babelrc` should be `c:\projects\me\cucumber-js\.babelrc` username_1: Closing due to lack of response. Sorry about this but I need someone who works on windows to help. I'll happy to offer what help I can. Status: Issue closed
liufee/yii2-swoole
443717871
Title: swoole/restart重启时pid文件不存在导致报错 Question: username_0: 版本:`0.1.3` 报错信息: ``` PHP Warning 'yii\base\ErrorException' with message 'file_get_contents(/data/web/yii-application/console/config/../../frontend/runtime/server.pid): failed to open stream: No such file or directory' in /data/web/yii-application/vendor/feehi/yii2-swoole/src/console/SwooleController.php:227 Stack trace: #0 [internal function]: yii\base\ErrorHandler->handleError(2, 'file_get_conten...', '/data/web/yii-a...', 227, Array) #1 /data/web/yii-application/vendor/feehi/yii2-swoole/src/console/SwooleController.php(227): file_get_contents('/data/web/yii-a...') #2 /data/web/yii-application/vendor/feehi/yii2-swoole/src/console/SwooleController.php(191): feehi\console\SwooleController->getPid() #3 [internal function]: feehi\console\SwooleController->actionRestart() #4 /data/web/yii-application/vendor/yiisoft/yii2/base/InlineAction.php(57): call_user_func_array(Array, Array) #5 /data/web/yii-application/vendor/yiisoft/yii2/base/Controller.php(157): yii\base\InlineAction->runWithParams(Array) #6 /data/web/yii-application/vendor/yiisoft/yii2/console/Controller.php(148): yii\base\Controller->runAction('restart', Array) #7 /data/web/yii-application/vendor/yiisoft/yii2/base/Module.php(528): yii\console\Controller->runAction('restart', Array) #8 /data/web/yii-application/vendor/yiisoft/yii2/console/Application.php(180): yii\base\Module->runAction('swoole/restart', Array) #9 /data/web/yii-application/vendor/yiisoft/yii2/console/Application.php(147): yii\console\Application->runAction('swoole/restart', Array) #10 /data/web/yii-application/vendor/yiisoft/yii2/base/Application.php(386): yii\console\Application->handleRequest(Object(yii\console\Request)) #11 /data/web/yii-application/yii(23): yii\base\Application->run() #12 {main} ``` swoole版本: ``` Swoole => enabled Author => <NAME> <<EMAIL>> Version => 4.3.3 Built => Apr 28 2019 17:12:47 coroutine => enabled epoll => enabled eventfd => enabled signalfd => enabled cpu_affinity => enabled spinlock => enabled rwlock => enabled http2 => enabled pcre => enabled zlib => enabled mutex_timedlock => enabled pthread_barrier => enabled futex => enabled async_redis => enabled ``` [文档](https://wiki.swoole.com/wiki/page/p-pid_file.html)描述如果Server正常退出会删除pid文件,但是似乎存在延迟,导致重启方法无法正常读取pid文件导致报错退出。 在发送SIGTERM信号后usleep(100000)可以解决,但是不确定是不是正确的方法。 Status: Issue closed Answers: username_1: ` $this->sendSignal(SIGTERM); $time = 0; while (posix_getpgid($this->getPid()) && $time <= 10) { usleep(100000); $time++; } ` 你说的正确 代码中已做相应的改进
saltstack/salt
132366199
Title: Invalid systemd service unit on RHEL7/CentOS7 Question: username_0: The system service unit for salt-minion 2015.8.5 from `repo.saltstack.com` (salt-master might be affected in the same way) contains an invalid directive: ```INI [Unit] Description=The Salt Minion After=network.target [Service] EnvironmentFile=/etc/default/salt-minion Type=simple LimitNOFILE=8192 ExecStart=/usr/bin/salt-minion KillMode=process Restart=$RESTART [Install] WantedBy=multi-user.target ``` The problem is `Restart=$RESTART`, where `$RESTART` is most likely the result of a problem in the build process of the package. The value should be one of: - on-success - on-failure - on-abnormal - on-watchdog - on-abort - always See also the [systemd.service documentation](https://www.freedesktop.org/software/systemd/man/systemd.service.html#Restart=). Version information: ``` Salt Version: Salt: 2015.8.5 Dependency Versions: Jinja2: 2.7.2 M2Crypto: 0.21.1 Mako: Not Installed PyYAML: 3.11 PyZMQ: 14.7.0 Python: 2.7.5 (default, Nov 20 2015, 02:00:19) RAET: Not Installed Tornado: 4.2.1 ZMQ: 4.0.5 cffi: Not Installed cherrypy: Not Installed dateutil: 1.5 gitdb: Not Installed gitpython: Not Installed ioflo: Not Installed libgit2: Not Installed libnacl: Not Installed msgpack-pure: Not Installed msgpack-python: 0.4.6 mysql-python: Not Installed pycparser: Not Installed pycrypto: 2.6.1 pygit2: Not Installed python-gnupg: Not Installed smmap: Not Installed timelib: Not Installed System Versions: dist: centos 7.2.1511 Core machine: x86_64 release: 3.10.0-123.8.1.el7.x86_64 system: CentOS Linux 7.2.1511 Core ``` Answers: username_1: $RESTART should be in the environment file /etc/default/salt-minion but I don't see that file anywhere in the spec file. username_2: @username_0, thanks for reporting. You are welcome to submit issues (and pull requests) about packaging against https://github.com/saltstack/salt-pack. username_3: The `/etc/default/salt-minion` was installed on my system: ```sh $ cat /etc/redhat-release CentOS Linux release 7.2.1511 (Core) $ cat /etc/default/salt-minion # Controls whether or not service is restarted automatically when it exits. # See the manpage for systemd.service(5) for possible values for the "Restart=" # option. RESTART=no $ salt-minion --version salt-minion 2015.8.7 (Beryllium) ``` From `systemd.service(5)` man page: ``` Restart= Takes one of no, on-success, on-failure, on-abnormal, on-watchdog, on-abort, or always. If set to no (the default), the service will not be restarted. ``` Basic environment variable substitution is supported in systemd version 219 from CentOS 7.2. Everything looks good. Also, I saw `/etc/default/salt-minion` is present in earlier RPMs, 2015.8.5 for example. I guess some problems with those configs may possibly appear during automated upgrades of `salt-minion` and `systemd` done by Salt itself, like mentioned here: #30928. But that's a known limitation. @username_0 Have you seen any warning messages from `systemd` about `Restart=$RESTART` line? Try `sudo systemctl status salt-minion`. Thanks in advance for any feedback! username_3: @username_0 Hm... This is very strange. You're right, the manual doesn't describe explicit possibitily to use variable substitutions in `restart` specifier. But I'm running a lot of CentOS 7 systems and everywhere `salt-minion` unit works just fine. There is small chance, that somehow during upgrade/installation `systemd` hasn't seen or was unable to read the `/etc/default/salt-minion` file. Have you tried `sudo systemctl daemon-reload`? Maybe that could help. username_0: @username_3 I made sure to execute `systemctl daemon-reload` - so systemd definitely "knew" about the content of the `EnvironmentFile=`. It's not like `salt-minion` doesn't work - it starts & works just fine - it's just a warning the service's journal. username_3: @username_0 I saw above someone filled the issue with exactly the same problem, but for me it looks like something related to the SystemD, and has nothing to do with `salt-minion` unit. This is one of my CentOS7 machines: ```console $ sudo systemctl restart salt-minion $ sudo systemctl status salt-minion * salt-minion.service - The Salt Minion Loaded: loaded (/usr/lib/systemd/system/salt-minion.service; enabled; vendor preset: disabled) Active: active (running) since Tue 2016-03-15 09:10:46 UTC; 6s ago Main PID: 14337 (salt-minion) CGroup: /system.slice/salt-minion.service |-14337 /bin/python2 /usr/bin/salt-minion `-14342 /bin/python2 /usr/bin/salt-minion Mar 15 09:10:46 saltmaster systemd[1]: Started The Salt Minion. Mar 15 09:10:46 saltmaster systemd[1]: Starting The Salt Minion... $ cat /usr/lib/systemd/system/salt-minion.service [Unit] Description=The Salt Minion After=network.target [Service] EnvironmentFile=/etc/default/salt-minion Type=simple LimitNOFILE=8192 ExecStart=/usr/bin/salt-minion KillMode=process Restart=$RESTART [Install] WantedBy=multi-user.target ``` By the way, do you use SELinux? The bad thing about this issue: where is no clear way to reproduce it, at least for me. username_4: Maybe it has to do with the systemd version used? username_3: I have this version running without any issues: ``` $ rpm -qi systemd | head Name : systemd Version : 219 Release : 19.el7_2.4 Architecture: x86_64 Install Date: Fri 04 Mar 2016 06:12:19 AM UTC Group : Unspecified Size : 22314482 License : LGPLv2+ and MIT and GPLv2+ Signature : RSA/SHA256, Tue 16 Feb 2016 10:17:33 PM UTC, Key ID <KEY> Source RPM : systemd-219-19.el7_2.4.src.rpm ``` username_3: @username_0 Have you tried to reproduce your issue with a fresh clean CentOS 7 system on some other machine? For example, use some of publicly available VM appliances (vagrant box?) or cloud images. Still, consider to check your SELinux settings and policies. Maybe some audit logs would testify a root cause. username_0: @username_3 I can reproduce this issue: - on an AWS EC2 instance using the CentOS7 AMI - on a perfectly clean/fresh CentOS7.2 base image running as `systemd-nspawn` container username_3: @username_0 I'm still not familiar with `systemd-nspawn` yet... So let's investigate the EC2 case. Are you using public AWS Marketplace AMI from CentOS team or some custom/third-party? Could you share your `ami-id` please if that's possible? username_3: By the way, `systemd` was updated to the `219-19.el7_2.7` version in the downstream repos. It's worth to test against it. username_0: Just tested on a fresh CentOS7 image, updated to `219-19.el7_2.7` and installed salt-minion: it's still the same: ``` # systemctl status salt-minion ● salt-minion.service - The Salt Minion Loaded: loaded (/usr/lib/systemd/system/salt-minion.service; enabled; vendor preset: disabled) Active: inactive (dead) Apr 15 11:52:26 centos7.2-base-39b2203f24166306 systemd[1]: [/usr/lib/systemd/system/salt-minion.service:11] Failed to parse service restart specifier, ignoring: $RESTART Apr 15 11:52:27 centos7.2-base-39b2203f24166306 systemd[1]: [/usr/lib/systemd/system/salt-minion.service:11] Failed to parse service restart specifier, ignoring: $RESTART Apr 15 11:52:27 centos7.2-base-39b2203f24166306 systemd[1]: [/usr/lib/systemd/system/salt-minion.service:11] Failed to parse service restart specifier, ignoring: $RESTART Apr 15 11:52:27 centos7.2-base-39b2203f24166306 systemd[1]: [/usr/lib/systemd/system/salt-minion.service:11] Failed to parse service restart specifier, ignoring: $RESTART Apr 15 11:52:27 centos7.2-base-39b2203f24166306 systemd[1]: [/usr/lib/systemd/system/salt-minion.service:11] Failed to parse service restart specifier, ignoring: $RESTART Apr 15 11:56:52 centos7.2-base-39b2203f24166306 systemd[1]: [/usr/lib/systemd/system/salt-minion.service:11] Failed to parse service restart specifier, ignoring: $RESTART ``` As already outlined in [my previous comment](https://github.com/saltstack/salt/issues/31034#issuecomment-194962409) I'm still convinced using variable substition is simply not supported in `Restart=`. username_4: I agree with @username_0: Looking at the systemd sources shows that for `Restart` only a simple string lookup is done in a [table](https://github.com/systemd/systemd/blob/025ef1d2264b24e77283d312dede8af01fa050f6/src/core/service.c#L3198). Full reference: * [Call of DEFINE_CONFIG_PARSE_ENUM](https://github.com/systemd/systemd/blob/025ef1d2264b24e77283d312dede8af01fa050f6/src/core/load-fragment.c#L733) * [#define DEFINE_CONFIG_PARSE_ENUM](https://github.com/systemd/systemd/blob/09541e49ebd17b41482e447dd8194942f39788c0/src/shared/conf-parser.h#L129) * [Call of DEFINE_STRING_TABLE_LOOKUP](https://github.com/systemd/systemd/blob/025ef1d2264b24e77283d312dede8af01fa050f6/src/core/service.c#L3208) * [#define DEFINE_STRING_TABLE_LOOKUP](https://github.com/systemd/systemd/blob/3aa131c4cacc3e381d21f061a87da1cddd4963cb/src/basic/string-table.h#L101) * [#define _DEFINE_STRING_TABLE_LOOKUP](https://github.com/systemd/systemd/blob/3aa131c4cacc3e381d21f061a87da1cddd4963cb/src/basic/string-table.h#L91) * [#define _DEFINE_STRING_TABLE_LOOKUP_FROM_STRING](https://github.com/systemd/systemd/blob/3aa131c4cacc3e381d21f061a87da1cddd4963cb/src/basic/string-table.h#L43) Also the manpage explicitely mentions the parameters where variable substitution is accepted (_"Specifier and environment variable substitution is supported"_) and `Restart` is not amongst them. username_5: Same problem here ```` # salt-minion --version salt-minion 2015.8.8.2 (Beryllium) ```` ```` # cat /etc/*release CentOS Linux release 7.1.1503 (Core) NAME="CentOS Linux" VERSION="7 (Core)" ID="centos" ID_LIKE="rhel fedora" VERSION_ID="7" PRETTY_NAME="CentOS Linux 7 (Core)" ANSI_COLOR="0;31" CPE_NAME="cpe:/o:centos:centos:7" HOME_URL="https://www.centos.org/" BUG_REPORT_URL="https://bugs.centos.org/" CENTOS_MANTISBT_PROJECT="CentOS-7" CENTOS_MANTISBT_PROJECT_VERSION="7" REDHAT_SUPPORT_PRODUCT="centos" REDHAT_SUPPORT_PRODUCT_VERSION="7" CentOS Linux release 7.1.1503 (Core) CentOS Linux release 7.1.1503 (Core) ```` ```` systemd: [/usr/lib/systemd/system/salt-minion.service:11] Failed to parse service restart specifier, ignoring: $RESTART ```` username_6: This also applies to Red Hat Enterprise Linux Server 7.2 with salt 2015.8.8.2 Salt Version: Salt: 2015.8.8.2 Dependency Versions: Jinja2: 2.7.2 M2Crypto: 0.21.1 Mako: Not Installed PyYAML: 3.11 PyZMQ: 14.7.0 Python: 2.7.5 (default, Oct 11 2015, 17:47:16) RAET: Not Installed Tornado: 4.2.1 ZMQ: 4.0.5 cffi: Not Installed cherrypy: Not Installed dateutil: 1.5 gitdb: Not Installed gitpython: Not Installed ioflo: Not Installed libgit2: Not Installed libnacl: Not Installed msgpack-pure: Not Installed msgpack-python: 0.4.7 mysql-python: Not Installed pycparser: Not Installed pycrypto: 2.6.1 pygit2: Not Installed python-gnupg: Not Installed smmap: Not Installed timelib: Not Installed System Versions: dist: redhat 7.2 Maipo machine: x86_64 release: 3.10.0-327.13.1.el7.x86_64 system: Red Hat Enterprise Linux Server 7.2 Maipo username_4: This is classified as a severe bug and open for 3.5 months now. I really think the `$RESTART` variable should be replaced by the desired default `no` and `/etc/default/salt-minion` should be removed as this is obviously **not working according to the systemd specification**. username_7: @username_0 @username_4 @username_6 @username_5 @username_3 Systemd support has been revamped in Salt 2015.8.12 and 2016.3.3 and the service units have been rewritten and no longer make use of the environment variable $RESTART, and type=simple has been changed to type=notify appropriately. Upgrading salt from earlier versions to the latest branch versions specified above, the minion's now automatically restart. I would like to close this issue if the recent updates resolve your issues. username_8: @username_7 any links to the PRs or commits? I took a look on an Ubuntu 16.04 machine with salt-minion 2016.3.3 on it and see: ``` root@somebox:/lib/systemd/system# cat salt-minion.service [Unit] Description=The Salt Minion After=network.target [Service] Type=notify LimitNOFILE=8192 ExecStart=/usr/bin/salt-minion [Install] WantedBy=multi-user.target ``` Looks fine. It'd be nice to see Restart support and even watchdog, but... crawl before walking and all that. username_7: @username_8 need to look in salt-pack that is where things get built. https://github.com/saltstack/salt-pack/pull/138. @username_9 did the changes in salt for the unit files that are being picked up from salt-pack, for example: commit 6cb0fb47f35078aaa47960ca6af3add2030fbbbd username_9: @username_8 Unfortunately, ``Restart=`` is not tunable via a variable defined in an ``EnvironmentFile``, these only appear to be supported for the execution environment (``ExecStart``, etc.). This is why it was removed as something defined in the environment file. If you want to change the ``Restart=`` value or setup watchdog support, you would need to copy the unit file to ``/etc/systemd/system``, make the modifications, and then do a ``systemctl daemon-reload``. username_6: Create a salt-minion.service.d directory and add custom settings there. <NAME>lett username_0: `systemctl edit salt-minion` will do that for you and also spawn an editor to edit the created `salt-minion.d/override.conf` right away. username_7: @username_0 This issue appears to be resolved, if you are satisfied with the outcome, can you close it ?, or let me know of further issues to be addressed. username_0: Looks good! Thanks for the fix. Closing… Status: Issue closed
Blood-Asp/GT5-Unofficial
470721784
Title: Shutter modlue+ Machine controller not working Question: username_0: I think there is an issue with the machine controller and shutter interaction on fluid pipes due to the recent update since it worked just fine on the .32 pre 5 version. The shutter now doesnt respond to the controllers command, I also observed that the controller does shut off regular machines so I dont think the problem is in the controller
numbas/editor
225080617
Title: Icon to show which variables in a question might introduce some randomisation Question: username_0: I'm trying to debug someone else's question, and it isn't obvious which variables are generated randomly and which are either constant or calculated purely from other variables. We already try to work out which variables are random, for the warning about adaptive marking (#336), so maybe we could use that and display a little icon in the variable list next to random variables.
ant-design/ant-design-pro
517885841
Title: 🧐umi block list 404 Question: username_0: ### 🧐 问题描述 umi block list 命令返回404 umi: 2.11.1 ### 💻 示例代码 $ umi block list ⠏ 🚣 fetch block list✖ error HTTPError: Response code 404 (Not Found) at EventEmitter.<anonymous> (/Users/tq/.config/yarn/global/node_modules/got/source/as-promise.js:74:19) at processTicksAndRejections (internal/process/task_queues.js:93:5) ⠏ 🚣 fetch block list Answers: username_0: <img width="830" alt="umiBlockList404" src="https://user-images.githubusercontent.com/42662849/68227447-ada52b80-002e-11ea-8f34-af63bc05de81.png"> username_1: 现在可以先使用 umi ui ,block list 会找时间下线。 username_0: @username_1 使用umi ui给ant-design-pro添加区块 ![image](https://user-images.githubusercontent.com/42662849/68575363-dbfb8e80-04a6-11ea-9fa6-3cbdc7760067.png) ant-design-pro pages目录默认情况(TableBasic目录我自己复制过去的) ![image](https://user-images.githubusercontent.com/42662849/68575375-e74eba00-04a6-11ea-855f-530b4cca7148.png) 这种情况我该如何处理?我需要做哪些格外配置? username_0: @username_1 会用了。。 陈帅下午好!打扰了! Status: Issue closed username_2: umi ui不会自动转js啊,好失败 username_3: umi ui 可以设计添加自己的区块吗