repo_name
stringlengths
4
136
issue_id
stringlengths
5
10
text
stringlengths
37
4.84M
JuliaLang/julia
778872485
Title: Error about non-existent fields are not using the correct type Question: username_0: ``` julia> struct A; end julia> getfield(A, :b) ERROR: type DataType has no field b Stacktrace: [1] top-level scope at REPL[11]:1 ``` I think this should be ``` julia> struct A; end julia> getfield(A, :b) ERROR: type A has no field b # or even Main.A? Stacktrace: [1] top-level scope at REPL[11]:1 ``` I think this stems from `datatype.c:1004`. At least that's where I think the errors is thrown in 1.5.3, since grepping for `"type .+ has no field"` only leads this as a possible construction. Answers: username_1: Why is that wrong? `A` is represented as a `DataType` and if you call `getfield` on it, you are asking for a field of the `DataType` `A`, not of `Type{A}`. Status: Issue closed username_2: Indeed `getfield` applies on values. Following your example: ``` julia> struct A; b; end julia> getfield(A, :b) ERROR: type DataType has no field b Stacktrace: [1] top-level scope @ REPL[108]:1 julia> getfield(A(1), :b) 1 ``` username_0: Ah, of course! Bad mixup on my part, sorry for the noise.
Esri/visibility-addin-dotnet
160656545
Title: Zoom to Graphic Extent After Graphic Created Question: username_0: after creating a graphic, the map should be zoomed to graphic extent by default. If the user is drawing within their current extent, they can see their graphic being created. If they are manually inputting parameters and those parameters fall outside their current extent, they should be automatically taken to the graphics extent. Answers: username_1: @elinz Ready for testing username_2: I have verfied that this is working in ArcGIS Pro and ArcMap minus the LLOS in ArcMap. This is due to the outputs for LLOS in ArcMap are graphics not features. Status: Issue closed
LSSTScienceCollaborations/ObservingStrategy
59274973
Title: The Naming of Things Question: username_0: It's important. I put in "The LSST Observing Strategy" and "MAF Workshop" as placeholders for the names of the white paper and the Seattle workshop respectively, but these need thought. Comments welcome below, especially from people who have thought more about this than I have! Answers: username_0: From Zeljko, a few possible paper titles: * *“Current Baseline Design for LSST Deployment and Further Optimization”* * *“Optimization Strategies for LSST Deployment”* * *“Towards Optimal LSST Deployment”* * *“Science Driven Optimization of LSST Deployment”* username_1: The 2014 workshop was named "LSST and NOAO Observing Cadences Workshop". The 2015 plan is so far almost identical to the 2014, so the only title that makes sense is the same words with II or 2015 appended. username_2: I think though @username_1 that the structure is actually a bit different: here we have a white paper effort that is related-to-yet-independent-of the Seattle MAF hack session. Personally I prefer "Observing Strategy" to the other phrase @ivezic uses ("deployment") as I find observing strategy to be a more specific descriptor. For a similar reason I might suggest changing the word "workshop"-- I think that sounds like we will be teaching people to use MAF (similar to what we did in 2014), when in fact what we want is for people to come prepared to code... correct? So maybe what we want is "MAF Hack Day" (which also has the added benefit of sounding fun... well, to me anyway). username_3: A strong second to Lucianne's suggestion of "Observing Strategy" instead of "Deployment". Science Driven Optimization of LSST's Observing Strategy username_3: [Sorry, hit "comment" too soon.] Regarding the title of the entire set of festivities - I'm still unclear on a very basic point: Is this event to attract and engage the general community? Or is it to engage preferentially junior and technically oriented people who want to get their hands dirty? Those aren't the same crowds. MAF should appear almost nowhere, and most participants should not get MAF training if we are aiming to directly engage more of the general community here. Status: Issue closed
JeongGyuJun/YourEyes_project
612845777
Title: 실행 예시 Question: username_0: ![image](https://user-images.githubusercontent.com/45933225/81108171-3e63b200-8f53-11ea-8cfd-5f1ab96fc733.png) ![image](https://user-images.githubusercontent.com/45933225/81108177-40c60c00-8f53-11ea-9b0e-c8274a14cf97.png)
swimlane/ngx-charts
259707715
Title: TreeMap show label, even when data is small? Question: username_0: **I'm submitting a ...** (check one with "x") ``` [x] bug report => search github for a similar issue or PR before submitting [ ] feature request [ ] support request => Please do not submit support request here ``` **Current behavior** <img width="684" alt="screen shot 2017-09-22 at 3 30 49 pm" src="https://user-images.githubusercontent.com/807580/30730521-10665f5a-9fab-11e7-94a6-9e103da838d1.png"> **Expected behavior** Text should appear somewhere? - Maybe a legend **Reproduction of the problem** https://plnkr.co/edit/bWO0TU8RGNl2BuBcaO3N?p=preview **What is the motivation / use case for changing the behavior?** Still useful to know what's insignificant **Please tell us about your environment:** All * **ngx-charts version:** 6.0.2 * **Angular version:** 2.4.1 * **Browser:** all * **Language:** all Answers: username_1: This is by design. There is still tooltip for the small areas, so you can hover over them to see their labels and values. ![image](https://user-images.githubusercontent.com/8687/30739107-9238230c-9f8c-11e7-95f2-2c957c5bc205.png) Status: Issue closed username_2: Can we override this in any way?
ef4/ember-sass-bootstrap
120644475
Title: Include css output in vendor.css rather than app.css? Question: username_0: One problem with the documented approach in README is all the bootstrap css would go into the app.css rather than the vendor.css .. I tried getting this working with an in repo addon but i think the order the addons are loading is causing me issues (not 100%) Answers: username_1: Do you have a particular use case where it matters whether the scss ends up in app vs vendor? The difficulty is that Sass doesn't really respect such a distinction, so trying to force it ends up forcing people to step outside the Sass conventions. username_0: I guess it was more so to stick with the Ember convention of vendor css in vendor.css and app css in app.css... I assume it's for allowing more frequently changed code (app.css) to be separated from the less frequently changed stuff (vendor.css) to provide better response & caching/etc when doing updates.. Its likely that once someone sets up the bootstrap stuff they would barely change it - but any update to their app code would incur the cost of re-downloading all the bootstrap code again. I found this as something very difficult to try and work out how to do. I've ended up going with 3 css files: vendor.css (all addon css), app-vendor.css (my vendor.scss in app/styles) and app.css - by adding another entry in the sassOptions.. username_1: I think we can probably create a convention with a separate top-level file that goes into vendor. Something like `app/styles/bootstrap.scss` that's intended for just imports of bootstrap modules. username_0: sounds like a good idea username_2: Sorry for bringing this up again. This happens in other projects as well. Isn't it important for these styles to end up in vendor.css? Think, cache invalidations? I assume that app-land css changes are more frequent. So, when such a change happens, all the file invalidates and the all the bootstrap styles are redownloaded.
AleksandarDev/vscode-sequence-diagrams
619376580
Title: Adopt VS Code's 'asWebviewUri' API Question: username_0: Hi, I maintain VS Code's Webview API ## Issue Our telemetry suggests that your extension uses webviews and may be loading resources in these webviews using hardcoded `vscode-resource:` URIs. These URIs have some important limitations and don't work properly when VS Code is run in a browser. We are also making changes in the desktop version of VS Code that may cause these URIs to not work properly in future versions of VS Code. While we are making our best effort to continue support existing webview extensions that use `vscode-resource:` URIs on desktop versions of VS Code, we will not able to fully support all uses cases. ## Fix To ensure that your extension continues to work in as many environments as possible—including on web and remotely—please: - Switch to use the [`Webview.asWebviewUri` function](https://github.com/microsoft/vscode/blob/307cb32f306a527a30a5b1756e8bf548c141192c/src/vs/vscode.d.ts#L6703) for loading resources. - Switch to use the [`Webview.cspSource` property](https://github.com/microsoft/vscode/blob/307cb32f306a527a30a5b1756e8bf548c141192c/src/vs/vscode.d.ts#L6714) in content security policies. These APIs shipped around 2 years ago so they should be available in all modern versions of VS Code. You can find additional information about the issue here: https://github.com/microsoft/vscode/issues/97962 Let me know if you have any questions about this change Status: Issue closed Answers: username_1: Closed by #24
JulieMarie/stock-market-demo
273600141
Title: [Feature]: Market News card improvements Question: username_0: ### Stories: As a user I'd like clear distinction between news items so i can easily scan each item As a user I'd like to easily navigate from the dashboard to `Manage News` page so i can continue reading without using sidenav #### AC: - [ ] add mat-divider between list items - [ ] add mat-divider & mat-card-actions to Market News card - [ ] add mat-button following spec with link, reading `VIEW MORE` - [ ] 🎉 #### Screenshots ![image](https://user-images.githubusercontent.com/867883/32752384-d4320722-c87d-11e7-8a40-d5a518afc28a.png) PS: this is just for fun to illustrate how we work and let you know we're reviewing your code :) Answers: username_1: Just found this Kyle! ;-)
drn/dots
734025740
Title: hs binding to toggle connectivity with headphones Question: username_0: Resolved by: * https://github.com/username_0/dots/commit/fa23392b00ac37aefa6d13695291c383ad76bf2c * https://github.com/username_0/dots/commit/b2684bff471d477570fe42763eaa207b92e29a70 * https://github.com/username_0/dots/commit/975c16c3068f91ab4d790e6fabbda7dcd2fe1a1a * https://github.com/username_0/dots/commit/7d40bfc58da6b6257d333a1a180b8b9ce79725ee * https://github.com/username_0/dots/commit/30316fbdc1bcc949f3d708575ecedecfede7d0e3 Status: Issue closed Answers: username_0: Resolved by: * https://github.com/username_0/dots/commit/fa23392b00ac37aefa6d13695291c383ad76bf2c * https://github.com/username_0/dots/commit/b2684bff471d477570fe42763eaa207b92e29a70 * https://github.com/username_0/dots/commit/975c16c3068f91ab4d790e6fabbda7dcd2fe1a1a * https://github.com/username_0/dots/commit/7d40bfc58da6b6257d333a1a180b8b9ce79725ee * https://github.com/username_0/dots/commit/30316fbdc1bcc949f3d708575ecedecfede7d0e3 Status: Issue closed
ClickHouse/ClickHouse
567506082
Title: ClickHouse over object storage Question: username_0: https://docs.google.com/document/d/1Vqf_M2yKWgu749BmfBXTapbcisJQjgW5ohlBaR4UJ7M Answers: username_0: The feature is already available in recent releases (as experimental), you can test by yourself. In our tests, object storage performance is several times worse than EBS, and EBS is several times worse than local NVMe SSD. Status: Issue closed username_0: Duplicate. And the document is outdated.
rethinkdb/rethinkdb
155601484
Title: Standardize how we denote terms in ReQL error messages Question: username_0: This discussion came up in https://github.com/rethinkdb/rethinkdb/pull/5741#discussion_r62124513 . Some of our error messages use all caps for ReQL terms (e.g. `ORDER_BY`), and others use lower-case (`order_by`). I think lower-case terms look better, and they also correspond to what the terms are called in half of our drivers which is better than none I think. We should standardize this and change the existing error messages.
TimyJ/GrimDank
343856616
Title: Implement (Customizable) Key Bindings and Action Abstraction Question: username_0: Methods here will depend drastically on how we want to handle UI navigation, etc. However, eventually we will likely want to make key bindings for things customization. Tied to this, particularly if menus use similar navigation (up/down/left/right) as options, it might be useful to use InputStack as a "translator" that translates keys into "actions", eg. NumPad8 OR K = Action.UP. Already there is a good bit of duplicate code between targeting and player movement to this effect. Answers: username_0: A note: there are multiple simpler solutions exist if there isn't enough overlap to warrant an "action" system, like simply pulling the movement-style input handling code into a more universal function. Again the level of abstraction likely depends on the arrangement of things like UI controls, etc. username_0: Above commit pulls movement key-checking code into its own function -- it's a cleanup fix, but whatever our decision on this issue, that should make it easier to implement.
hashgraph/hedera-mirror-node
596462114
Title: HederaETL: Implement deduplication cron job Question: username_0: Design: https://github.com/blockchain-etl/hedera-etl/blob/598a5a6b39749bc33880c2dbe8f54c7e3055466d/docs/design/1_hedera_etl.md Deduplication cron job will provide the guarantee of `at-most one` row per transaction.<issue_closed> Status: Issue closed
iloveitaly/dokku-rollbar
226206369
Title: Use ROLLBAR_ENV if set Question: username_0: Rollbar allows overwriting the applications default environment variable, such as `RAILS_ENV`, with `ROLLBAR_ENV` Should check for `ROLLBAR_ENV` first, then fall back to rack, rails and `production` ``` ENVIRONMENT=$(dokku config:get "$APP" RACK_ENV || dokku config:get "$APP" RAILS_ENV || echo 'production') ``` Answers: username_1: @username_0 Great idea! Want to create a PR? username_0: Definitely! I'm on it :) Status: Issue closed
zooniverse/Panoptes-Front-End
303628216
Title: Don't let project owners set inactive workflows as default Question: username_0: ## Expected behavior Prevent all cases of making inactive workflows default ## Current behavior _Please include any error messages from the browser console and/or screenshots_ In the project builder UI, we only prevent this from happening if the project is live. It seems some project builders may be either purposely setting the projects back to development and making the switch or possibly accidentally doing this via the python client. ## Steps to replicate ## Additional information - **Operating system:** - **Browser:** Answers: username_1: Closed by #4798. Status: Issue closed
ballerina-platform/ballerina-lang
758792894
Title: Validate Ballerina.toml Question: username_0: **Description:** Interoperate JSON schema validator to Ballerina.toml. - [ ] Define JSON Schema to toml - [ ] Validate dependencies platform libs - [ ] Validation errors should be added to diagnostics and showed in VSCode. Status: Issue closed Answers: username_1: This issue fixed with the following PRs - https://github.com/ballerina-platform/ballerina-lang/pull/28464 - https://github.com/username_0/ballerina-lang/pull/10
altoole/Colmar-Academy
279955293
Title: further challenge: dropdown menu Question: username_0: You did an excellent job following the guidelines. As a further challenge, see if you can incorporate a dropdown menu system in your page! Here is a great resource to get you started thinking about this: https://www.w3schools.com/css/css_dropdowns.asp<issue_closed> Status: Issue closed
ebenmichael/augsynth
842777677
Title: Already treated people as control group Question: username_0: Hi According to your paper, the package is using not-treated and no-yet-treated individuals as controls. Is there any way in the package to use already-treated people as controls, too, resembling a TWFE control group? Thanks - Mo Answers: username_1: Do you mean to do this to estimate the treatment effect on the controls? The package doesn't implement that unfortunately. Status: Issue closed username_0: No problem. Thanks
Taragorm/iobroker.shed
499987298
Title: Please check iobroker.shed with js-controller 2.0 Question: username_0: Hi, the new js-controller 2.0 will come into latest repository in the next days and we want to make sure that all adapters are working well. We already did a 2 weeks Beta test and so some adapter were aleady checked and some needed slight adjustments. You can find more information in https://github.com/ioBroker/ioBroker.js-controller/issues/482 and in the ioBroker Forum. If you have more technical questions please write in the referenced issue or in the Developer thread please. General questions are best in the genral thread. Please update your systems to js-controller 2.0 and check your adapter. Please close this issue once you have checked your adapter or received successfull reports from users. Thank you very much for your support. Please contact us in the other Threads or Forum on any question.
ponylang/ponyc
213532707
Title: Release script leaves extra whitespace Question: username_0: @username_1 I'm not at all a sed person, but I was testing updates to make sure this worked on OSX and I found that when removing empty sections it leaves behind extra newlines that wouldn't be there if we did manually. I tried to figure out how to adjust but I don't know how. Can you take a look? Answers: username_1: @username_0 Just to make sure, how many lines should be between the empty sections? Currently two are placed (with a third after the "Changed" section, which should be fixed). username_0: I tested with ``` ## Fixed - something ## Added ## Changed - something ``` and it ended up as ``` ## Fixed - something ## Changed - something ``` Status: Issue closed
microsoft/PowerToys
776114862
Title: Keyboard Manager has some conflicts with Logitech Options Question: username_0: <!-- **Important: When reporting BSODs or security issues, DO NOT attach memory dumps, logs, or traces to Github issues**. Instead, send dumps/traces to <EMAIL>, referencing this GitHub issue. --> ## ℹ Computer information - PowerToys version: 0.27.1 - PowerToy Utility:Keyboard Manager - Running PowerToys as Admin: Yes - Windows build number: [run "winver"] 20H2 19042.685 ## 📝 Provide detailed reproduction steps (if any) I am using a Logitech MX Master 3, using the latest Logitech Options but it seems there are some conflicts 1. install both PowerToys and Logitech Options 2. In PowerToys, swap windows key with ctrl 3. In Logitech Options, set "Zoom in/out" for Thumb wheel scroll, set "Gesture button" for the bottom button (the one under the thumb) ### ✔️ Expected result everything still works ### ❌ Actual result the zoom in/out doesn't work anymore using the thumb wheel scroll ## 📷 Screenshots ![Snipaste_2020-12-29_17-21-36](https://user-images.githubusercontent.com/17813900/103317812-587a6500-49fa-11eb-8436-7b6d4776d93b.png) _Are there any useful screenshots? WinKey+Shift+S and then just paste them directly into the form_ Answers: username_1: they could be hardcoding the ctrl key. We don't control that software so anything we do is guess work. My gut says if you overrode Volume up/down, same issue would happen. username_1: Luckliy i have the same mouse as you :) Tested with volume and worked as i would have imagined. They are sending key codes that then Keyboard mapper swaps. This is external to us. If KBM had a 'exclude app' like FZ has, that could solve this. I killed off all logitech apps and none of the extra buttons work so yeah, one of the apps is responding to the mouse and sending commands that way. ![image](https://user-images.githubusercontent.com/1462282/103321792-2b28b980-49f0-11eb-9dd5-cf64243356df.png) username_0: Thank you for the clarification. Most other functions are still okay. I temporarily set it to be "Horizontal scroll" and so far it seems to work fine. (If I set Zoom in/out every time I scroll it will somehow trigger the start menu, which is quite annoying.) It would definitely be nice to have the exclude list in the future release. :) username_2: From the bug that was duped to this: I ran into a similar problem using the Windows+V clipboard. Using it appears to first populate the clipboard and then emit a Left Ctrl+V keycode, which, if you’re remapping Left Ctrl, will also be remapped. Adding an exclusion list (and perhaps adding OS builtins to it by default) would also work around my problem. username_3: The gesture button also broke for me when I swapped **alt** and **win** keys. The thing is, I've been using SharpKeys and everything works as expected.
kyma-incubator/compass
608992732
Title: KEB dump logs in JSON format Question: username_0: **Description** Currently, KEB is logging in TTY format we should switch all logs to JSON format. **Reason** It is problematic to search logs in Kibana. **AC** - all logs produced by KEB components are logged as JSON Answers: username_0: We should change also our logging to use logger fields for keywords instead of printing them in one message. As a result, it will be easier to grep logs in Kibana. Don't ```go logger.Infof("Starting provisioning runtime: Name=%s, GlobalAccountID=%s, SubAccountID=%s PlatformRegion=%s", parameters.Name, ersContext.GlobalAccountID, ersContext.SubAccountID, region) ``` Do: ```go lgr := logger.WithFields(logrus.Fields{"GlobalAccountID": ersContext.GlobalAccountID, "SubAccountID": ersContext.SubAccountID}) lgr.Infof("Starting %q provisioning runtime", parameters.Name) ``` Also information such as instance_id should be set for each logger injected to a given step. Right now each step needs to do it and sometimes someone forgets about it and it not possible to corelate the logs with a proper instance. Status: Issue closed
F43nd1r/Acrarium
782562876
Title: Cannot see Bug or Report Question: username_0: So I created the instance using Docker Compose and apart from little warning it is running. I created an app, took credentials and tried to post using Insomnia directly (A bug report sent from actual phone as JSON). It showed that the bug was recorded. see the image below <img width="1440" alt="Screen Shot 2021-01-09 at 10 36 45" src="https://user-images.githubusercontent.com/1502872/104087102-689e0a00-526e-11eb-849a-4f21ca190a05.png"> Then I clicked the app to see the reports and everything is empty like image shows <img width="1440" alt="Screen Shot 2021-01-09 at 10 37 20" src="https://user-images.githubusercontent.com/1502872/104087122-85d2d880-526e-11eb-8fef-5b571ad6cfce.png"> What is wrong with my installation? Anything to check? No error is reported when I send the POSt request nor when I try to access the bugs by clicking on the app Status: Issue closed Answers: username_0: Dupe of #184 username_0: So I created the instance using Docker Compose and apart from little warning it is running. I created an app, took credentials and tried to post using Insomnia directly (A bug report sent from actual phone as JSON). It showed that the bug was recorded. see the image below <img width="1440" alt="Screen Shot 2021-01-09 at 10 36 45" src="https://user-images.githubusercontent.com/1502872/104087102-689e0a00-526e-11eb-849a-4f21ca190a05.png"> Then I clicked the app to see the reports and everything is empty like image shows <img width="1440" alt="Screen Shot 2021-01-09 at 10 37 20" src="https://user-images.githubusercontent.com/1502872/104087122-85d2d880-526e-11eb-8fef-5b571ad6cfce.png"> What is wrong with my installation? Anything to check? No error is reported when I send the POSt request nor when I try to access the bugs by clicking on the app username_0: Checked the reports by selecting the date I get the charts with correct information(Mobile Phone Model, App version, et al), which means data is stored. But cannot get it displayed. I have reopened because I believe issue might be different from referenced issue! username_1: Have you checked #89 and #115? Status: Issue closed
MozillaFoundation/Design
644170402
Title: Graphic: Apple report back Question: username_0: Apple is enabling users to turn of IDFA after months of campaigning from Mozilla and we'd love to tell people about it. https://docs.google.com/document/d/1mJzpDX5v0lI92n0HoaD_6fpofCR6GBvSHXQaDrPYaEM/edit?usp=sharing Answers: username_1: Finals working files and assets [are in here](https://drive.google.com/drive/u/1/folders/18L_x9nHfsSbKltuupFBXoF1juoQ_c7EW). Status: Issue closed
xanzy/go-gitlab
732571037
Title: Missing object attributes in comment on merge request Question: username_0: In [MergeCommentEvent](https://github.com/xanzy/go-gitlab/blob/master/event_webhook_types.go#L316), it is missing ObjectAttributes related to the position of the note in the files (e.g. `position` and `original_position`). Without these attributes, it's not possible to understand from the webhook event the code associated with the note.<issue_closed> Status: Issue closed
tuyafeng/Via
982899899
Title: 自动调用外部应用 Question: username_0: 目前via浏览器对外部应用的处理似乎不是很好,对于外部应用需要用户确认才能打开。所以我觉得能不能加一个功能,记住用户选择(建议开关可以放到网站的小盾牌那里),这样之后就可以不用重复确认了。 Answers: username_1: 。。。其实这样做还是麻烦,主要是有的网站是你不理他打开应用,他就给你跳转到下载链接 username_0: 对,比如知乎这些网站,你选择app内打开时它就自己跳到了知乎的下载链接,就比较烦,所以我才想能不能自动调用外部应用。之前用过edge,edge是当你浏览知乎的时候,它就直接在知乎内打开网站了,浏览器内不会再打开(依然停留在搜索页面),我觉得这种做法就挺好。 我的想法是根据不同网站来授予权限,这样的话应该能防止流氓网站。另外也可以结合要跳转的schema来判断是否允许直接打开第三方应用。两者结合的话应该能做到允许不同的网站跳转不同的应用?我对安卓开发不是很熟悉,以上只是一个想法。 username_1: 不知道有没有什么办法阻止,如果浏览器主动不显示是否打开应用的话,那么网页说不定会认为你忽略或未下载应用,就跳转到下载的网页了(除非有什么办法能让网页认为浏览器打开了软件但其实并没有打开,但是via没有自带内核,估计不能实现) username_0: 我在网上简单搜索了一下,似乎通过重写shouldOverrideUrlLoading就可以达到该目的。 username_0: 自动调用外部应用应该也能通过重写这个方法实现。
PaddlePaddle/Paddle
1024710048
Title: 合并代码时,TeamCity CI的日志无法访问 Question: username_0: 你好, 在这个PR(https://github.com/PaddlePaddle/PaddleDetection/pull/4297)中的TeamCity CI的build日志链接无法打开 http://10.87.145.41:8111/viewLog.html?buildId=494445&buildTypeId=Paddle_PaddleModels_PaddleDetectionCi_release 现在无法进一步修改代码 如果修复比较麻烦的话,能否将build log直接发给我呢 谢谢
ember-cli-deploy/ember-cli-deploy-revision-data
267985891
Title: Generate data earlier in the deployment process Question: username_0: I was trying to use the revision data during the `build` step of the deployment process and was surprised I couldn't because it is only generated in the `prepare` step. I wonder why that is as it should be possible to generate the data earlier, e.g. in `build` or even earlier in `configure` or `setup`. I'd be happy to submit a PR, just not sure there's a good reason maybe why the data isn't (or can't be) generated earlier in the process? Answers: username_1: Hi @username_0, in at some cases, the revision data plugin generates data including the hash of the index.html file, which is of course the output of the build process. The vision for how to proceed is here: https://github.com/ember-cli-deploy/ember-cli-deploy/issues/477 username_0: makes sense, closing this 👍 Status: Issue closed
Quansight/omnisci
557170932
Title: [IBIS] Implement percent_rank to ibis.omniscidb Question: username_0: refs: - https://github.com/pandas-dev/pandas/issues/28975 Answers: username_0: wip: https://github.com/ibis-project/ibis/pull/2224 username_1: Looks like this PR ibis-project/ibis#2224 has been reviewed with an assumed approval after changes were made, but the CI is still breaking. Fixing the CI may be the last step to getting this pushed through. username_0: PR https://github.com/ibis-project/ibis/pull/2224 approved by @datapythonista . it is waiting for `jreback` review. username_1: @username_0 Looks like you have some conflicting files now. username_0: the PR was blocked until we have some real use case to prove the necessity of this change. an alternative would be split this PR into 2 PRs, one for each implementation.
appuniversum/ember-appuniversum
597733724
Title: A lot of linter errors Question: username_0: If I run the project I get 150+ lines of linter errors. https://gist.github.com/username_0/e5d3b5b07431314396f2ce137d53c627 I am not knowledgeable enough in Ember to fix this, but just noting this as a problem. Answers: username_1: This is due to the mix of syntax (Ember octane vs old ember). The addon-docs plugin is not written in octane so the cli gives these linter errors. I'm aware that this needs fixing but it's quite some work to convert this addon. username_0: Just mentioning. The project we have also comes with a bunch of linter errors. This seems to be an Ember thing ;) Status: Issue closed
DominikJaniec/EnvConfigs
879237623
Title: Importing `posh-git` takes like a second Question: username_0: While starting a new PowerShell session with personal Profile, there is command executed: ```pwsh Import-Module posh-git ``` Its is usefull tool - check [`posh-git` module](https://github.com/dahlbyk/posh-git). Nonetheless, 1.5 second is kind of slow for starting pwsh session - other modules and [`Profile.ps1`](Shells/Profile.ps1) takes approximately 500 ms. **Possible solutions:** * Find a more native _completion_ support. * Help improve `posh-git` startup itself.
w3c/wai-sitemap
298220063
Title: Preparation for Redesign Question: username_0: 👋 The redesign is coming to this repository soon. (Hooray! 🎉) We need to check off several steps before we can link your content to the [redesign repository](https://github.com/w3c/wai-website). I marked some of the steps with RM meaning Resource Manager. Others are marked with @username_0, and I’ll do/help you through the technical parts. In addition to this issue, you might find other issues in your repository that are labeled with wai-redesign-before that should be addressed/resolved before the redesign. That might mean to postpone working on it until after the redesign (use the label wai-redesign-after for those issues). * [ ] **Content** is updated and ready to be put into the new design. (RM) * The best case scenario would be that the content is ready before doing step three below. However, that might not be feasible in every case, so @username_0 might do the next step before the content is ready and just port the content that is available to him. * Once done, add label wai-redesign-content-done. * [x] **Tech** Create branch/repository with the new structure (@username_0) * For simple resources (separate pages/pages that don’t need a left navigation), you will find the documents in the root directory of the repository. * For more complicated resources, @username_0 creates a Jekyll collection which adds the left sidebar navigation amongst other things. You will then find your files in a folder called `_resource_name`. * Documentation should be available in the [w3c/wai-website wiki](https://github.com/w3c/wai-website/wiki/Repository-Anatomy-for-individual-resources) soon. * Once done, add label wai-redesign-repo-done. * [x] **Content** Use current content and port it to the new design (@username_0) * Once this is done, all previews will be in the new design. * Once done, add label wai-redesign-content-ported. * [ ] **Content** Check if content renders well, make changes as needed/wanted. ([documentation](https://github.com/w3c/wai-website/wiki/Preparing-Content)) (RM) * Once done, add label wai-redesign-content-checked. * [ ] **Tech** Link this repository to the w3c/wai-website repository (@username_0) * Once done, add label wai-redesign-repo-linked. * When all checkpoints above are checked, close this issue.<issue_closed> Status: Issue closed
lihuishe/node-clis
181943914
Title: Assignment 1 Question: username_0: @codepath, @codepathreview Answers: username_1: :+1: nice work. The point of this homework was to introduce the node.js runtime and asynchronous IO through a series of common and simple filesystem CLI Utilities. Here's a checklist of things that I'm looking for in this project. You should review the checklist, and make any changes to your project, if necessary. - Airbnb has a good summary of appropriate JavaScript coding conventions, you should take a quick look [here](https://github.com/airbnb/javascript). - Familiarity with core APIs is critical to understanding the capabilities of the node.js runtime. No packages should have been necessary to complete this assignment. - Modularize your code as much as possible, and avoid globals. Separating functionality into separate modules will make your code more extensible and supportable. - Handle errors properly with `process.on('uncaughtException', ...)` and `process.on('unhandledRejection', ...)` handlers and utilizing `trycatch` for long-stack-trace support. - You should always take extra precautions like this when interacting with the filesystem to avoid catastrophic mistakes like removing `/`. - Sync APIs should never be used in production code except during the brief startup phase of a server's lifecycle. Use the [safeguards package](https://github.com/username_1/safeguards) to protect against this. - Your CLI files should always be executable. Always remember to add the appropriate permissions and a [`shebang`](https://en.wikipedia.org/wiki/Shebang_(Unix)). In general, you should strive to create small composable modules that do one thing well, consistent with [The Unix Way](https://en.wikipedia.org/wiki/Unix_philosophy#Mike_Gancarz:_The_UNIX_Philosophy). Keep this in mind as you dive further into more complex architectures and applications.
ng-alain/ng-alain
461432954
Title: 动态表单 移动端布局 Question: username_0: @username_1 非常抱歉,之前写的描述没有提交成功,才看到。 Answers: username_1: 麻烦提供重现示例,若不是很麻烦的情况可以我会修复,但是 zorro 目前不考虑移动端。 username_0: @username_1 非常抱歉,之前写的描述没有提交成功,才看到。 username_1: 关于这一点本身已经就是适配的: [png] ![image](https://user-images.githubusercontent.com/2987467/60270905-ee27c680-9923-11e9-9938-65b70d3f5451.png) Status: Issue closed username_0: @username_1 请问有示例代码吗?我这效果不是这样。我想着是PC上label和input在同一行,在移动端是占两行这样响应式的。 username_0: @username_1 或者是需要升级版本吗?我看文档里面的示例是可以的,我的不行。我的是7.2版本的 username_2: @username_0 Need to change sf layout to 'vertical'. `<sf [layout]="'vertical'" [schema]="schema">`
Inventory-Tweaks/inventory-tweaks
222018187
Title: Crash Question: username_0: Minecraft Version: 1.7.10 Inventory Tweaks Version: InventoryTweaks-1.59-dev-152 crash report: [crash-2017-04-16_17.52.31-client.txt](https://github.com/Inventory-Tweaks/inventory-tweaks/files/924403/crash-2017-04-16_17.52.31-client.txt) BTW: I am playing a public modpack. Answers: username_1: No support is provided for 1.7.10 at this point Status: Issue closed
ClickHouse/ClickHouse
700063799
Title: Found parts with the same min block and with the same max block Question: username_0: Found parts with the same min block and with the same max block as the missing part 44_0_16600_4069_480. Hoping that it will eventually appear as a result of a merge my clickhouse version is 19.16.19.85 and it always report this warning . By the way when my clickhouse cluster recover from the network exception, I can only visit some shard via distribute table ,is there any connection with the warning above? Answers: username_1: I don't think so. username_2: This warning does not indicate any bug. username_1: No info. Status: Issue closed
xws-bench/battles
135381842
Title: Computer:38 Computer:162 Question: username_0: Dagger_Squadron_Pilot*Fire-Control_System*Mangler_Cannon.Dagger_Squadron_Pilot*Fire-Control_System*Mangler_Cannon.Horton_Salm*Twin_Laser_Turret*R2-D2*Hull_Upgrade.VSDrea_Renthal*Ion_Cannon_Turret.Palob_Godalhi*Ion_Cannon_Turret.Binayre_Pirate.Binayre_Pirate.Binayre_Pirate.Binayre_Pirate.<br> http://bit.ly/1RhLSMH<br>
porcupie/rbd-docker-plugin
157031167
Title: Mount image read only Question: username_0: Docker support read only image mounts so does ceph. It would be useful to have images being mounted as read only with the plugin too. Tried to see if we can get the variable RO from docker but I couldn't. Answers: username_1: Interesting, will have to look into this and figure out where the :ro will get sent or if we have to again overload the volume name with another decorator for read-only. If we had this feature, it could also allow an RBD volume to be used by multiple consumers (if they were all read-only or at most 1 writer), but that would also require changes to how RBD exclusive locks are managed. username_0: my research shows that docker needs to pass this variable to the plugin which currently it doesn't. I created : https://github.com/docker/docker/issues/23051 username_1: Seems like either they do not understand the use-case or are unwilling to support it. Closing ticket for now Status: Issue closed
fenderglass/Flye
499320632
Title: fail at repeat resolving stage Question: username_0: Hi, I am running Flye on 55X coverage of a 3.5gb genome using PacBio data. the job failed at the repeat resolving stage because of memory issue. The job was running one machine with 1Tb RAM and 48 cores and no other jobs were running on the machine. See the following: malabady@sapelo2-sub2: $ tail 50X-corrected/flye.log [2019-09-26 22:41:04] DEBUG: Tip len: 9641 cov:20 local:30 [2019-09-26 22:41:04] DEBUG: Tip len: 3902 cov:29 local:55 [2019-09-26 22:41:04] DEBUG: Tip len: 3035 cov:30 local:86 [2019-09-26 22:41:04] DEBUG: Tip len: 9607 cov:41 local:81 [2019-09-26 22:41:04] DEBUG: Tip len: 6119 cov:23 local:60 [2019-09-26 22:41:04] DEBUG: 390 tips clipped [2019-09-26 22:42:29] INFO: Resolving repeats [2019-09-26 22:42:29] DEBUG: Finding repeats [2019-09-26 22:46:12] root: ERROR: Looks like the system ran out of memory [2019-09-26 22:46:12] root: ERROR: Command '['flye-repeat', '-l', '/scratch/malabady/PitcherGenome/PitchPacBio/flye-assembly/50X-corrected/flye.log', '-t', '48', '-v', '5000', '-k', '17', '/scratch/malabady/PitcherGenome/PitchPacBio/flye-assembly/50X-corrected/10-consensus/consensus.fasta', '/scratch/malabady/PitcherGenome/PitchPacBio/canu_assembly/40x_assembly/correctedReads.min25kb.fasta.gz', '/scratch/malabady/PitcherGenome/PitchPacBio/flye-assembly/50X-corrected/20-repeat', '/home/malabady/.conda/envs/assembly/lib/python2.7/site-packages/flye/config/bin_cfg/asm_corrected_reads.cfg']' returned non-zero exit status -9 I understand that I can restart the assembly from the beginning using lower coverage. But I was wondering if there is something that can be done to resume from this stage. Aslo, can the job be parallelized across multiple nodes with a collective sum of memory more than 1TB? Thanks, Magdy Answers: username_1: Hi, Seems strange, Flye should not do any significant memory allocations at this stage. Could you send me the full log file? In the mean time, you can try to restart the repeat stage with `--resume-from repeat` to double check. Also, are you using error-corrected reads? Have you tried raw reads instead? Mikhail username_0: Hi Mikhail, When I started this project, i started with raw reads. I tried 80X, 60X, 50X and 40X. All of them failed in first stage because of memory issues. Then I decided to use corrected reads. With 50X corrected reads, the assembly progressed to the repeat resolving step and failed as mentioned in the original ticket. I resumed the assembly using the "--resume" flag and changed the minimum overlap from 5000 to 7000 (--min-overlap 7000). the job has been running for the past 4 days. here is the tail of the flye.log [2019-09-29 23:40:45] INFO: Aligning reads to the graph [2019-09-29 23:40:48] DEBUG: Hard threshold set to 1 [2019-09-29 23:40:48] DEBUG: Started k-mer counting [2019-09-29 23:45:10] DEBUG: Repetitive k-mer frequency: 490 [2019-09-29 23:45:10] DEBUG: Filtered 488104 repetitive k-mers (0.000837751) [2019-09-29 23:45:20] DEBUG: Sampling rate: 2 [2019-09-29 23:45:20] DEBUG: Solid k-mers: 582146882 [2019-09-29 23:45:20] DEBUG: K-mer index size: 2038650649 [2019-09-29 23:45:20] DEBUG: Mean k-mer frequency: 3.50195 [2019-09-29 23:52:15] DEBUG: Sorting k-mer index The gzipped fly.log file is 33.3M, which too big to be directly uploaded here. I can send you a link to wget it from our server directly. would it be okay? Many thanks. username_1: This will not change the minimum overlap, since you are resuming the previous run. It worth to wait and see how it does though. username_0: Thanks! I just sent you a link to download the flye.log file on your gmail. Unfortunately, I deleted all folders that I had for the failed run on the raw data. But I remember that the error message was something like “ERROR: Looks like the system ran out of memory”. If you have specific recommendations, I can try running it again on the raw data and keep log file for you to see it! username_0: Thank you! This ongoing job has been the index sorting (see below) for five days. It doesn’t seem normal to me. Does it? Shall I end it and start over again with the 2.6 version from the beginning? [2019-09-29 23:40:00] DEBUG: -15649 +disjointig_10361 40764 42487 1723 [2019-09-29 23:40:00] DEBUG: 177237 +disjointig_10361 42487 49114 6627 [2019-09-29 23:40:00] DEBUG: * 151853 +disjointig_10361 49114 57500 8386 [2019-09-29 23:40:00] DEBUG: -15649 +disjointig_10361 57500 58968 1468 [2019-09-29 23:40:00] DEBUG: Total edges: 218323 [2019-09-29 23:40:27] DEBUG: Building positional index [2019-09-29 23:40:27] DEBUG: Total sequence: 5752725272 bp [2019-09-29 23:40:45] INFO: Aligning reads to the graph [2019-09-29 23:40:48] DEBUG: Hard threshold set to 1 [2019-09-29 23:40:48] DEBUG: Started k-mer counting [2019-09-29 23:45:10] DEBUG: Repetitive k-mer frequency: 490 [2019-09-29 23:45:10] DEBUG: Filtered 488104 repetitive k-mers (0.000837751) [2019-09-29 23:45:20] DEBUG: Sampling rate: 2 [2019-09-29 23:45:20] DEBUG: Solid k-mers: 582146882 [2019-09-29 23:45:20] DEBUG: K-mer index size: 2038650649 [2019-09-29 23:45:20] DEBUG: Mean k-mer frequency: 3.50195 [2019-09-29 23:52:15] DEBUG: Sorting k-mer index username_1: Flys is now aligning reads to the graph. What is the terminal output for this one? It should show the read alignment progress. Usually it is definitely faster than 5 days. If the alignment progress is not optimistic, I'd recommend to restart from scratch using 2.6. username_0: Hi, I rerun the assembly from beginning using flye2.6. The run started on October 5 and it is ongoing. Now it is at the repeat resolving stage and it does seem to be stuck. the reason I am saying that is, in the sterr file, it says "Aligning reads to the graph" but for more than 15 hours the progress is still at "0%", see below: $ cat ../flye-assembly/flye_Corrected_2.e1636843 [2019-10-05 06:08:42] INFO: Starting Flye 2.6-release [2019-10-05 06:08:42] INFO: >>>STAGE: configure [2019-10-05 06:08:42] INFO: Configuring run [2019-10-05 08:16:14] INFO: Total read length: 205090121530 [2019-10-05 08:16:14] INFO: Input genome size: 3650000000 [2019-10-05 08:16:14] INFO: Estimated coverage: 56 [2019-10-05 08:16:14] INFO: Reads N50/N90: 40002 / 28025 [2019-10-05 08:16:14] INFO: Minimum overlap set to 5000 [2019-10-05 08:16:14] INFO: Selected k-mer size: 17 [2019-10-05 08:16:14] INFO: Using longest 55x reads for contig assembly [2019-10-05 08:16:21] INFO: >>>STAGE: assembly [2019-10-05 08:16:21] INFO: Assembling disjointigs [2019-10-05 08:16:21] INFO: Reading sequences [2019-10-05 09:10:41] INFO: Generating solid k-mer index [2019-10-05 09:11:13] INFO: Counting k-mers (1/2): 0% 10% 20% 30% 40% 50% 60% 70% 80% 90% 100% [2019-10-05 09:20:00] INFO: Counting k-mers (2/2): 0% 10% 20% 30% 40% 50% 60% 70% 80% 90% 100% [2019-10-05 09:55:17] INFO: Filling index table 0% 10% 20% 30% 40% 50% 60% 70% 80% 90% 100% [2019-10-05 11:28:41] INFO: Extending reads [2019-10-05 14:28:58] INFO: Overlap-based coverage: 44 [2019-10-05 14:28:59] INFO: Median overlap divergence: 0.00839591 0% 10% 20% 30% 40% 50% 60% 70% 80% 90% 100% [2019-10-11 17:24:15] INFO: Assembled 15356 disjointigs [2019-10-11 17:26:37] INFO: Generating sequence 0% 10% 20% 30% 40% 50% 60% 70% 80% 90% 100% [2019-10-11 22:33:37] INFO: >>>STAGE: consensus [2019-10-11 22:36:08] INFO: Running Minimap2 [2019-10-14 02:35:32] INFO: Computing consensus [2019-10-14 09:49:32] INFO: Alignment error rate: 0.085393 [2019-10-14 09:54:11] INFO: >>>STAGE: repeat [2019-10-14 09:54:12] INFO: Building and resolving repeat graph [2019-10-14 09:54:14] INFO: Reading sequences [2019-10-14 10:50:12] INFO: Building repeat graph 0% 10% 20% 30% 40% 50% 60% 70% 80% 90% 100% [2019-10-16 12:13:54] INFO: Median overlap divergence: 0.059423 [2019-10-16 15:10:01] INFO: Aligning reads to the graph 0% ---- --- [2019-10-16 15:09:12] DEBUG: -155565 +disjointig_9688 80700 86258 5558 [2019-10-16 15:09:12] DEBUG: 202325 +disjointig_9688 86258 116251 29993 [2019-10-16 15:09:12] DEBUG: * 110882 +disjointig_4031 49958 60202 10244 [2019-10-16 15:09:12] DEBUG: -110704 +disjointig_4031 60202 68135 7933 [2019-10-16 15:09:12] DEBUG: * 176673 +disjointig_4031 68135 77220 9085 [2019-10-16 15:09:12] DEBUG: 157905 +disjointig_4031 77220 101038 23818 [2019-10-16 15:09:12] DEBUG: 47721 +disjointig_4031 101038 112854 11816 (20) [2019-10-16 15:09:12] DEBUG: Total edges: 203643 [2019-10-16 15:09:39] DEBUG: Building positional index [2019-10-16 15:09:40] DEBUG: Total sequence: 5550974744 bp [2019-10-16 15:10:01] INFO: Aligning reads to the graph [2019-10-16 15:10:04] DEBUG: Hard threshold set to 1 [2019-10-16 15:10:04] DEBUG: Started k-mer counting [Truncated] [2019-10-16 15:09:12] DEBUG: 47721 +disjointig_4031 101038 112854 11816 (20) [2019-10-16 15:09:12] DEBUG: Total edges: 203643 [2019-10-16 15:09:39] DEBUG: Building positional index [2019-10-16 15:09:40] DEBUG: Total sequence: 5550974744 bp [2019-10-16 15:10:01] INFO: Aligning reads to the graph [2019-10-16 15:10:04] DEBUG: Hard threshold set to 1 [2019-10-16 15:10:04] DEBUG: Started k-mer counting [2019-10-16 15:13:50] DEBUG: Repetitive k-mer frequency: 489 [2019-10-16 15:13:50] DEBUG: Filtered 472577 repetitive k-mers (0.000838806) [2019-10-16 15:14:01] DEBUG: Sampling rate: 2 [2019-10-16 15:14:01] DEBUG: Solid k-mers: 562918949 [2019-10-16 15:14:01] DEBUG: K-mer index size: 1966688435 [2019-10-16 15:14:01] DEBUG: Mean k-mer frequency: 3.49373 [2019-10-16 15:21:12] DEBUG: Sorting k-mer index ---- What do you think/suggest? Many thanks! username_1: Hi, I doubt that Flye is stuck - but it rather might be extremely slow. Most of our tests were done for raw reads, so aligning the corrected reads might not be fully optimized. Plus, it seems that the genome is very repetitive, which slows things down. I would wait a couple of days more and see if it progresses. Could you send me the full log in the mean time? Mikhail username_0: Hi I'd think that mapping corrected reads should be much faster than mapping raw reads. this is the same stage that took over 5 days in may previous run and I had to kill it because the progress was at 0%. I am sending you the whole log file through our fex server. it will come to your gmail from an email like this: <EMAIL>. Let me know what you think when you look through it. Many thanks username_0: Hi Flye hasn't progressed at all. it is still at 0% since October 16. It certainly seems to be stuck. Is there any way that I can run this step manually? Or any other way around? Thanks Magdy username_1: Hi Magdy, I see, so the alignment of corrected reads seems super slow. I don't really have a solution for this right now, since we run most of our tests on raw reads. It is also possible that something have gone wrong on error correction step too (e.g. reads were over-corrected and enriched with repetitive k-mers). Did you get Canu assembly by the way? I suggest to try to run raw reads with `--asm-coverage 30` (or 20, if 30 does not work). You said that 40x did not work, but in my experience 1 Tb of RAM should be sufficient for ~6Gb haploid assembly with 20-30x coverage. Best, Mikhail Status: Issue closed username_1: Closing the old thread, feel free to reopen if you have more questions!
easylist/easylist
974609383
Title: NSFW: xxxmovies.world Question: username_0: ### List the website(s) you're having issues: ``` xxxmovies.world ``` ## External relations? - https://mypdns.org/my-privacy-dns/porn-records/-/issues/402 ### What happens? - [ ] Exit popup -under - [X] Exit script redirecting to other porno sites - [ ] AdWare - [ ] Tracking ## Screenshot ### List Subscriptions you're using: - uBlock filters - uBlock filters – Badware risks - uBlock filters – Privacy - uBlock filters – Resource abuse - EasyList - EasyPrivacy - Online Malicious URL Blocklist - <NAME>’s Ad and tracking server list - Spirillen's – Adblock Rules (https://mypdns.org/my-external-stuff/ublockorigin-rules/) ### Your settings - OS/version: Ubuntu 20.04.2 - Browser/version: Tor-Browser & FF latest stable from Ubuntu repo - Adblock Extension/version: uBlock Origin 1.37.2 ### Other details: Answers: username_1: Already fixed by an existing uBO filter. Status: Issue closed
asilluron/quote-linker
117290533
Title: Pretty Errors Question: username_0: Currently, errors look like this. We need to get them to at-least be HTML. {"statusCode":400,"error":"Bad Request","message":"child \"author\" fails because [\"author\" length must be at least 3 characters long]","validation":{"source":"payload","keys":["author"]}}
dtgm/chocolatey-packages
164688130
Title: bitvise-ssh-server does not activate the personal license Question: username_0: Does not activate the personal license by default like the package description says. It installs in evaluation mode and begins displaying warnings after the time is up. Answers: username_1: 1. I probably shouldn't have any package parameters for this package since I think these are all install args. I think I was intending on doing checks on options passed, but the way I currently have it implemented, it basically just passes the option to the installer, so `--ia`/`--install-arguments` would have been much simpler to use. Try `--ia '-activationCode=0123...6789'` and see if that works. 2. Even if `1` works, I'm still curious why activationCode is not parsed by package params. Can you post a debug gist where activation fails? (be sure to scrub the actual key out) username_1: 3. or if `1` doesn't work, does it work if passed directly to the installer manually? `curl 'https://bvdl.s3-eu-west-1.amazonaws.com/BvSshServer-Inst.exe' > 'BvSshServer-Inst.exe'` `& '.\BvSshServer-Inst.exe' -activationCode=0123...6789` username_0: I don't have an activation code. I just know that I chose the Personal option when I installed manually on one machine, and when I found the chocolatey package to use on this machine it said `Personal Edition (installed by default) is free for non-commercial, personal use.` Did I misunderstand that? I thought default meant not passing parameters. username_0: I'm now being blocked by a hash mismatch. Status: Issue closed username_0: Closing due to inactivity. username_2: @username_0 this package is now being maintained by @mkevenaar and has a new version available: https://chocolatey.org/packages/bitvise-ssh-server
hackoregon/civic
494923781
Title: Voice tracks for kit, earthquake, solve, vote, and summary screens Question: username_0: ## Kit screen Erin: what is the audio? Patricia / Marcus: create the audio ## Earthquake screen Audio must include: "Drop! Take cover, and hold on!" Erin: any additional audio content? (e.g., The earth is shaking. It's time to...) Patricia / Marcus: create the audio ## Solve screen Audio: Found in the [Tasks Metadata sheet](https://docs.google.com/spreadsheets/d/1rvqmyps_Wgy9HE20Z2kM7fQXORB0q1LFmOdbyyLs4bo/edit#gid=0), column J, "Text Clue" Patricia / Marcus: create the audio ## Vote screen Erin: what is the audio? (maybe:) Patricia / Marcus: create the audio ## Summary screen Erin: what is the audio? Patricia / Marcus: create the audio Answers: username_0: Resolved by #1070 Status: Issue closed
vadimdemedes/ink
465365843
Title: Throttle updates to N FPS (e.g. 60)? Question: username_0: Given Ink has to update the entire screen — it might be nice to throttle updates globally to e.g. 60 FPS. We're seeing some issues in Gatsby like https://github.com/gatsbyjs/gatsby/issues/15505 that we can fix case by case but a global render throttle seems useful to explore. Answers: username_1: Agree, would be a good improvement. username_1: Released https://github.com/username_1/ink/releases/tag/v2.4.0, which throttles rendering to 60 FPS, if [experimental mode](https://github.com/username_1/ink#experimental-mode) is enabled. Thanks for suggestion! Will keep this issue open until new reconciler and renderer becomes a default one. username_2: I gave it a try and it definitely helped (70s runtime instead of 240s). Though it's still faster to manually batch updates at 30fps (40s instead of 70s). It would be perfect if we could set the fps ourselves. 60fps is too much IMO as a default. 60fps is needed for smooth animations and I'd say that most CLIs don't need smooth animations. username_1: Yeah, good suggestion. I'll try lowering it to 30fps. I'm not sure ability to customize fps would be a good move, because it's more of avoiding the root cause of a problem, rather than properly fixing it. For example, a progress bar component might be implemented to refresh every 100ms, when 1s would be more than enough. One thing I wanted to do for a while that could help performance a lot is avoiding rerendering layout when underlying React components didn't change (https://github.com/username_1/ink/issues/21). Status: Issue closed username_1: Ink 3 is out! Read the full announcement at https://username_1.com/posts/ink-3 :)
TeselaGen/openVectorEditor
110752730
Title: Make react-variable-height-infinite scroller smoother Question: username_0: I think a "key" prop will allow for smoother scrolling (because the browser hangs a bit when dom elements are removed). Also adding a "pointer-events" null to the component can help. For anyone interested, that repo can be found here: https://github.com/username_0/react-variable-height-infinite-scroller<issue_closed> Status: Issue closed
conda/conda-docs
297942231
Title: update config docs Question: username_0: from Kale 2017-05-31: Conda docs need updated with information from https://www.continuum.io/blog/developer-blog/conda-configuration-engine-power-users Also, here's the current output of `conda config --describe` ``` kfranz@0283:~/continuum/conda *4.4.x ❯ python -m conda config --describe # add_anaconda_token (bool) # aliases: add_binstar_token # In conjunction with the anaconda command-line client (installed with # `conda install anaconda-client`), and following logging into an # Anaconda Server API site using `anaconda login`, automatically apply a # matching private token to enable access to private packages and # channels. # # add_anaconda_token: true # add_pip_as_python_dependency (bool) # Add pip, wheel and setuptools as dependencies of python. This ensures # pip, wheel and setuptools will always be installed any time python is # installed. # # add_pip_as_python_dependency: true # allow_non_channel_urls (bool) # Warn, but do not fail, when conda detects a channel url is not a valid # channel. # # allow_non_channel_urls: true # allow_softlinks (bool) # When allow_softlinks is True, conda uses hard-links when possible, and # soft-links (symlinks) when hard-links are not possible, such as when # installing on a different filesystem than the one that the package # cache is on. When allow_softlinks is False, conda still uses hard- # links when possible, but when it is not possible, conda copies files. # Individual packages can override this setting, specifying that certain # files should never be soft-linked (see the no_link option in the build # recipe documentation). # # allow_softlinks: true # always_copy (bool) # aliases: copy # Register a preference that files be copied into a prefix during # install rather than hard-linked. # # always_copy: false # always_softlink (bool) # aliases: softlink # Register a preference that files be soft-linked (symlinked) into a # prefix during install rather than hard-linked. The link source is the # 'pkgs_dir' package cache from where the package is being linked. # [Truncated] # similar to adding an entry to the create_default_packages list. # # track_features: [] # use_pip (bool) # Include non-conda-installed python packages with conda list. This does # not affect any conda command or functionality other than the output of # the command conda list. # # use_pip: true # verbosity (int) # aliases: verbose # Sets output log level. 0 is warn. 1 is info. 2 is debug. 3 is trace. # # verbosity: 0 ``` Answers: username_0: (moved from https://github.com/ContinuumIO/docs/issues/1189 )
mkafrin/PolyZone
1024668943
Title: Question about object from server Question: username_0: If I create a object server side, how can I do has I do for my client: ```lua redTeamBox:onPointInOut(function() return GetEntityCoords(soccerBall) end, function(isPointInside, point) if insideBlueGoal then DeleteObject(soccerBall) ESX.showNotification('Goal from red team!') if redScore < 7 then redScore = redScore + 1 TriggerServerEvent('grz_rl:goalScore', red) else TriggerServerEvent('grz_rl:endGame', red) -- After 7 goals // end of game end return false end end) ``` But for server side?
madrury/rusty-rogue
838332417
Title: Entities are killed before animation completes. Question: username_0: If an effect with an animation kills an entity, that entity is removed from the ECS before the animation completes. Visually, this results in the monster disappearing *before* the animation completes.<issue_closed> Status: Issue closed
postmanlabs/postman-app-support
469087034
Title: Postman not launching when tried to open again by clicking on "Run in Postman" button Question: username_0: **Describe the bug** Postman app opens only once from the "Run in Postman" button. After that, it stops working. This happens only on windows. Also, after opening the app normally (from menu, taskbar or shortcut) it would again work the next time (again only once) from the "Run in Postman" button. **To Reproduce** Steps to reproduce the behaviour: 1. Go to 'https://docs.postman-echo.com/?version=latest' (On a windows system) 2. Click on 'Run In Postman' 3. Click on 'Postman for Windows' 4. [App will open] Quit the app 5. Again click on 'Postman for Windows' 6. [App will not open this time] **Expected behavior** "Run in Postman" button should continue to work **App information (please complete the following information):** - App Type: Native App - Postman Version: 7.3.1-canary01-7.3.4-canary01, 7.3.1-7.3.3 - OS: Windows 10 Answers: username_0: The fix is available on the canary channel on version 7.3.4-canary02 https://www.getpostman.com/downloads/canary The same will be available in the next production release (7.3.4) username_0: This is fixed in the latest version of Postman (v7.3.4). Status: Issue closed username_1: It don't work, in Canary in Usual Postman, has version 7.18.1, it simple can't open the app. And I don't know do I need to provide a path in windows, do I need reinstall all again. Honestly it opened once, but no sense after this nothing happend. username_2: Similar Issue resolved after deleting the Postman AppData from `C:\Users\<username>\AppData\Roaming\Postman`
BC-SECURITY/Empire
711152713
Title: [BUG] Missing pyparsing module dependency in docker image Question: username_0: __Note:__ Please fill out all sections (if applicable) and do not delete the below section headers, otherwise the bot will close the issue. ## Empire Version - Empire 3.x ## OS Information (Linux flavor, Python version) - OS: - Python: ## Describe the bug A clear and concise description of what the bug is. ## To Reproduce Steps to reproduce the behavior: 1. Go to '...' 2. Click on '....' 3. Scroll down to '....' 4. See error ## Expected behavior A clear and concise description of what you expected to happen. ## Screenshots If applicable, add screenshots to help explain your problem. ## Additional context Add any other context about the problem here.<issue_closed> Status: Issue closed
prajjyadav/Python-Scripts
714243976
Title: Task Reminder Question: username_0: I would like to add a python script that gives **reminder** for a particular task. For Eg: In these days, we are giving a lot of time to **computer screens** and we are facing **eyestrain** and **headache**. One good practice to control this is to wash the eyes thoroughly and drink water in regular intervals. Instead of installing third - party reminder apps, a simple python program will do the job !<issue_closed> Status: Issue closed
sindresorhus/caprine
312041268
Title: How to minimize (not Toggle) chat heads? Question: username_0: How do I minimize (not toggle off) contents of the last message sent in this area? ![caprine](https://user-images.githubusercontent.com/10953106/38432846-7222a208-398e-11e8-9562-52c81ae19548.png) Status: Issue closed Answers: username_0: Found my answer somewhere else. Thanks.
catboost/catboost
1031397892
Title: catboost training becomes extremely slow when using custom loss Question: username_0: Problem: When I use a custom loss defined as below, the training of catboost becomes extremely slow. I wonder what' wrong with my loss and how to speed up the training? Any suggestions would be helpful. Thanks! catboost version: 0.26 Operating System: Ubuntu 18.04.4 LTS CPU: Intel(R) Xeon(R) CPU E7-4890 v2 @ 2.80GHz 120 ``` class segment_rmse_loss: def calc_ders_range(self, approxes, targets, weights): assert len(approxes) == len(targets) if weights is not None: assert len(weights) == len(approxes) true_th = 0.35 pred_th = 0.35 alpha = 2 beta = 2 y_true = targets y_pred = approxes residual = y_true - y_pred der1 = np.where(((y_true >= true_th) & (y_pred <= pred_th)) | ((y_true <= true_th) & (y_pred >= pred_th)), alpha * residual, residual) der2 = np.where(((y_true >= true_th) & (y_pred <= pred_th)) | ((y_true <= true_th) & (y_pred >= pred_th)), -1 * beta, -1) result = [(d1, d2) for (d1, d2) in zip(der1, der2)] return result ```
humlab-sead/sead_bugs_import
445430893
Title: Analysis entities confusion Question: username_0: Import code does not correctly match dataset-physical_sample combinations with countsheet-sample combinations for analysis entities. Something to do with a self creating function... Creates too many analysis entities, and crashes, if database contains existing data. Possible duplication of analysis entities (e.g. analysis_entity_id 285 and 286 in Roger's test import 20190517) Answers: username_1: Query that shows the problem: ``` select count(distinct dataset_id) as datasets, count(distinct sample_group_id) as sample_groups, count(distinct physical_sample_id) as samples, count(distinct analysis_entity_id) as analysis, count(distinct abundance_id) as abundances from tbl_dataset_masters m join tbl_datasets d using (master_set_id) join tbl_analysis_entities ae using (dataset_id) join tbl_physical_samples s using (physical_sample_id) join tbl_sample_groups sg using (sample_group_id) join tbl_abundances a using (analysis_entity_id) where m.master_name = 'Bugs database' ``` ![image](https://user-images.githubusercontent.com/17061116/58367149-faaba000-7edb-11e9-802e-80329cdaf31c.png) username_1: Problem is caused by a defect in an internal cache that uses Java HashMap. Only mutable entities can be used as keys in a HashMap. If an attribute included in entity's hashCode changes after insert into map, then subsequent fetches fail. Status: Issue closed
liuchengxu/eleline.vim
414922799
Title: buffer 信息显示 Question: username_0: 能否添加一个选项,用来控制buffer信息的显示? Answers: username_1: 你想怎么控制? username_0: ① ❖ 1 [TOT:1] 就是这个,能不能让使用者选择性的开启 或者可以定制显示的内容 username_1: `let g:eleline_slim = 1` 就会只显示 ① ❖ 1 Status: Issue closed username_1: 如果想要更多定制内容,可以选择 fork。因为每个人都有自己的偏好,我不想为每个需求都增加一个配置项,这个插件非常小,本身就不具备强定制化的功能。 fork 的话,基本上改这里就行了: https://github.com/username_1/eleline.vim/blob/be06b337f28faf5d6a523f17bb05c99c2f1e91fb/plugin/eleline.vim#L185-L213 return 什么就会在状态栏显示什么。 username_0: 嗯嗯,是的,我现在就是直接return空,这么晚了还回复的这么及时,真是辛苦啦,谢谢
meteor/react-packages
109600412
Title: Missing LICENSE file Question: username_0: What is the license associated with these packages? I don't see any LICENSE.* files like I see in the main meteor repo. Status: Issue closed Answers: username_1: Added MIT license. Thanks for reporting! db0690be3def1703715a5f3cf65c29df0b43e514
basdp/USB-Turntables-to-Sonos-with-RPi
849273177
Title: Step 4 Problem Question: username_0: Ran into a problem running the code arecord -D dmic_sv -r 44100 -f S16_LE -c 2 --vumeter=stereo /dev/null got the error arecord: main:828: audio open error: No such file or directory any suggestion would be greatly appreciated. Answers: username_1: Maybe these tips can help? https://github.com/synesthesiam/voice2json/issues/28 If not, can you post the output of `arecord -L` here?
gwu-libraries/sfm-ui
158130192
Title: Set TZ to correct timezone Question: username_0: Should be `America/New_York` not `EST`. This will need to be changed in all of the docker-compose files. Status: Issue closed Answers: username_0: See also: * https://github.com/gwu-libraries/sfm-docker/commit/d184eb920a499df8765d56f46fab878a88002c9b * https://github.com/gwu-libraries/sfm-flickr-harvester/commit/34076f735d0b3f95f6f261e55a630df74aa824ba * https://github.com/gwu-libraries/sfm-twitter-harvester/commit/729706fe446507d1561c233ff938ba3033d822fb * https://github.com/gwu-libraries/sfm-weibo-harvester/commit/8b931f82cd63378bdbb09e0cc8c39a9a9705e587
MarcFletcher/NetworkComms.Net
150676664
Title: Connection level Checksum Configuration Question: username_0: Currently if you want to enable checksum it can only be done at the global level: `NetworkComms.EnablePacketCheckSumValidation` We should move this into the SendRecieveOptions so that it can be done on a per send/receive basis: `SendReceiveOptions.EnablePacketCheckSumValidation`
electron/electron
169181746
Title: how to use auto-updater with electron-release-server Question: username_0: Hi, I have read lots of things about this subjet but i can't find a complete documentation. I succeeded to use electron-packager and electron-winstaller to get a setup.exe for my electron application. I used electron-release-server to create a server to host my electron app to deploy. I add in my electron app this peace of code const autoUpdater = electron.autoUpdater; var feedUrl = 'http://10.61.32.53:1337//download/:' + app.getVersion(); autoUpdater.setFeedURL(feedUrl); // event handling after download new release autoUpdater.on('update-downloaded', function (event, releaseNotes, releaseName, releaseDate, updateUrl, quitAndUpdate) { // confirm install or not to user var index = dialog.showMessageBox(mainWindow, { type: 'info', buttons: [i18n.__('Restart'), i18n.__('Later')], title: "Typetalk", message: i18n.__('The new version has been downloaded. Please restart the application to apply the updates.'), detail: releaseName + "\n\n" + releaseNotes }); if (index === 1) { return; } // restart app, then update will be applied quitAndUpdate(); } ); But when i install my application, i have an exception. In fact, i think i don't understand what to do client side but server side as well. Any help would be very appreciated ! Thanks in advance if you could tell me where to find a complete tutorial. Answers: username_1: Please use the discussion forum or Slack for questions and support requests. The github issues section is for bugs only. Check out examples of auto-updating JS configs: https://github.com/Microsoft/vscode/blob/82136bd865386e28fff89882f3b5adea87d60a03/src/vs/code/electron-main/update-manager.ts https://github.com/username_1/Google-Play-Music-Desktop-Player-UNOFFICIAL-/blob/master/src/main/features/core/autoUpdater.js Status: Issue closed username_0: Sorry for my mistake and thank you for your help. I appreciate. -- <NAME> 06.82.43.42.78 username_2: this issue does helped me.THANKS!!
elan-ev/opencast-studio
455844103
Title: update Translations? Answers: username_1: - [ ] Use JSON for translation files - [ ] Use a platform like Crowdin - [ ] Complete translations username_2: Welche Sprachen sollen unterstützt werden? Status: Issue closed username_2: Connected the problem to crowdin: https://elan-ev.crowdin.com/opencast-studio username_1: We can probably start with [the languages Opencast is properly translated into](https://crowdin.com/project/opencast-community). Opencast usually adds languages on demand and ships them if they have a proper translation (≥90% – …actually a bit more complicated than that but that's near enough)
leonefrain86/MundoStarWars_2.0
590407647
Title: Mejorar uso de polimorfismo Question: username_0: En la clase *Vehiculo* hay 2 colecciones ```csharp public List<Soldado> soldados {get; set;} public List<Guerrero> guerreros {get; set;} ``` Pero como ambas se heredan de la clase *Personaje*, se podria tener una colección de esta para poder tratar polimorficamente soldados y guerreros. ```csharp public List<Personaje> Personajes {get; set;} ```<issue_closed> Status: Issue closed
emertechie/json-tree-wrap
56415785
Title: Cannot read property 'defaults' , anonymous function: chrome Question: username_0: Run: example errors: ``` treeWrapper.js:17 Uncaught TypeError: Cannot read property 'defaults' of undefinedtreeWrapper.js:17 TreeWrappertestflatten.html:25 (anonymous function) treeWrapper.js:17: function TreeWrapper(options) { options = options || {}; var noOp = function() {}; this.options = _.defaults(options, { ****** ERRORS HERE ***** childrenProp: 'items', onInit: noOp, onAdd: noOp, onRemove: noOp, onMove: noOp }); ****** ERRORS HERE ***** undefinedtreeWrapper.js:17 TreeWrappertestflatten.html:25 (anonymous function): var treeWrapper = new TreeWrapper({ observer: treeObserver }); ``` ``` <!DOCTYPE html> <html> <head lang="en"> <meta charset="UTF-8"> <title></title> <script src="../lib/polyfills.js"></script> <script src="../lib/treeWrapper.js"></script> <script src="../lib/treeObserver.js"></script> <script src="../lib/treeFlattener.js"></script> </head> <script> var json = { name: 'Root item', items: [{ name: 'Child item 1', items: [{ name: 'Child item 2' }] }] }; var treeObserver = new TreeObserver(); var treeWrapper = new TreeWrapper({ observer: treeObserver }); ****** ERRORS HERE ***** var treeFlattener = new TreeFlattener(treeWrapper, treeObserver); treeWrapper.wrap(json); </script> <body> </body> </html> ``` Any help much appreciated.
skeema/skeema
814838065
Title: Error during skeema init (procedure) Question: username_0: I am getting an error during "skeema init". Processing stops once I hit this error, and it does not seem I can exclude procedures using "--ignore-table" option. As I look at the procedure SQL, it does seem that it contains "\" escape characters in the text. It would be great to have an option to skip some stored procedures during the init, similarly as we do with the tables. The error we receive: 2021-02-23 14:08:39 [ERROR] procedure `xxxxxxxxxxx` is unexpectedly not able to be parsed by Skeema Please file an issue report at https://github.com/skeema/skeema/issues/new with this information: Error value=<source>:15:31: invalid token '\\' 2021-02-23 14:08:39 [ERROR] Unfortunately this error is fatal and prevents Skeema from being usable in your environment until this is resolved. Answers: username_1: Would that be useful just because of this Skeema bug, or do you have other use-cases where ignoring a proc/func would be beneficial? Thanks! username_0: Thank you very much for a great product and your support! We use Percona MySQL 5.7.29-32 running on Linux. I believe this dummy proc body will help to reproduce the error during "skeema init" DROP PROCEDURE IF EXISTS test; CREATE PROCEDURE `test`(IN param1 mediumtext) BEGIN SET @query = CONCAT('SELECT DISTINCT col0, col1, col2, IF(col3 = \'NULL\' OR cal3 = \'<unset/>\', \'NULL:unset\', col3) AS new_value, ..... ..... ', ')'); PREPARE stmt FROM @query; EXECUTE stmt; DEALLOCATE PREPARE stmt; END; I would think that function to exclude procedures/functions would be in line with the existing functionality to exclude schemas and tables. This would certainly help me to work around the issue. One more comment: Today, different object types are all lumped under the same directory, and it is hard to locate the specific object type when a database is large. It would be great if skeema could store objects of different type under different directories: <database_name>/<object_type>/<object_name>.sql for example: <database_name>/tables/ table1.sql <database_name>/procedures/procedure1.sql username_1: Unfortunately that would be a very large change, as much of the current logic assumes 1 dir = 1 logical schema. Support for procs/funcs was generously sponsored by a company, and they were ok with everything going in one dir, so that's how it was implemented. Multiple levels of dirs may be supported some day in the future, but perhaps only in the commercial edition of Skeema, given how time-consuming it would be to implement. username_0: Thank you for looking into this. I shared the full procedure body privately by email. Ditto on feature request issue and support on directories! username_1: Awesome, thank you! I was able to reproduce the bug and found the cause. I should have a fix ready later today and will post an update comment then. username_1: This one was subtle: the bug only comes up if you have a `--` style comment immediately followed by a newline (that is, "--\n"), and then the following line of the proc/func contains the start of a multi-line string, which then later contains non-operator characters such as backslashes on subsequent lines. A fix has been committed to the main branch, and will be included in the upcoming release of Skeema v1.5.0. Thank you for the bug report! Longer detailed explanation of the bug: The root cause was a mistake in a regex in Skeema's statement lexer. Although Skeema [does not rely on SQL parsing](https://www.skeema.io/docs/faq/#no-reliance-on-sql-parsing) to understand tables/procs/funcs, it still does enough parsing to identify the statement type and object name. This way `skeema pull` is able to update the correct part of a file containing multiple statements; `skeema lint` is able to annotate the correct statement; etc. When this parser fails, it's treated as a fatal error because it prevents Skeema from properly associating the proc in your .sql file with the corresponding proc in your database at all, rendering a diff impossible. MySQL handles `--` style comments in a slightly nonstandard way: they must be [followed by whitespace](https://dev.mysql.com/doc/refman/8.0/en/ansi-diff-comments.html) to be treated as a comment. The intended handling of this for Skeema's lexer is essentially "if `--` followed by whitespace is encountered, treat this as a comment until the end of this line". However, in the case of "--\n", the regex incorrectly treated the comment as extending to the *following* line's newline. In most cases this actually doesn't break anything, because this parser doesn't affect Skeema's introspection or execution of individual statements; in other words, this bug can't ever cause random lines of procs/funcs to be omitted. However, in one specific case it can cause the lexer to fail with a fatal error: if the line after the comment contains the beginning of a multi-line string, the lexer would "miss" the beginning of the string, and then error upon encountering subsequent lines with characters that aren't allowed to appear outside of strings (for example, a backslash, since that isn't a valid operator in mysql). Status: Issue closed username_1: This fix has been included in today's release of [Skeema v1.5.0](https://github.com/skeema/skeema/releases/tag/v1.5.0). Thanks again for the bug report! username_0: Thank very much for the excellent support!
stelligent/cfn_nag
463917962
Title: Adjust password base rule and spec helper to work with sub property values Question: username_0: There are several resources that define password like items as a sub property value. The password base rule and associated spec helper should be adapted to work with these types of resources in addition to the regular Resource Property items. Example Resource, Property, SubProperty: ``` AWS::Amplify::App.BasicAuthConfig Password ```<issue_closed> Status: Issue closed
alex-shpak/hugo-book
539151155
Title: Edit this page broken in Hugo 0.61.0 Question: username_0: **Issue:** _Edit this page_ links are using url escape value (%5c) of forward slash (/) in github repository edit urls. This may be something that is an issue in hugo itself, but there are currently no open issues in their repository and other tested themes are rendering urls accurately. **How to repeat:** 1. Use the example site 2. Render with current latest version of Hugo [v0.61.0](https://github.com/gohugoio/hugo/releases/tag/v0.61.0) 3. Navigate to "With ToC" page 4. Hover over _Edit this page_ and note URL (screenshot below) ![image](https://user-images.githubusercontent.com/26288003/71010598-540e3300-20a9-11ea-8581-0b828a9ca8be.png) I'll dive into the theme and see if I can get you more information on what value in Hugo may be rendering this version of the path.<issue_closed> Status: Issue closed
philnash/react-programmable-chat
270893102
Title: Get user all subscribed channels Question: username_0: I want to display all channels of a loggedin user. How can I do this using 'react-twilio'. When I using getChannels() and getUserChannelDescriptors() raising those are not functions. Please help me to fix it. Thanks Answers: username_1: Hey, what do you mean when you ask about 'react-twilio'? I'm not using any external libraries in this example application. What are you using? Status: Issue closed username_0: Hey sorry, it was "twilio-chat" username_0: I have another challenge.... how can we save twilio user details like friendlyName, attributes? when I use this.chatClient.user I get user details but there is null values expect identity, I want store friendlyname and pro_pic...etc. Please give a some direction to save user details. Thanks username_0: I want to display all channels of a loggedin user. How can I do this using 'twilio-chat'. When I using getChannels() and getUserChannelDescriptors() raising " is not a function" Please help me to fix it. Thanks username_1: Hey @username_0, You can store other details against your users using the `attributes` property on a [`User`](https://media.twiliocdn.com/sdk/js/chat/releases/1.2.1/docs/User.html) object. When you first initiate a Client with an access token and identity, the user object won't have fully loaded so you want to listen to the [`updated` event](https://media.twiliocdn.com/sdk/js/chat/releases/1.2.1/docs/User.html#event:updated) that should fire when the user is loaded. Let me know how you go with that. Status: Issue closed username_1: I left this comment a couple of weeks ago. I'm going to assume that you got it sorted. If not, please do open this up again and I can try to help. username_0: Hi @username_1 , Thank you. I have fixed the issue. while creating users , I am giving attribute and friendlyName too. Here is my code, `var client = new Twilio(config.twilio.accountSid, config.twilio.authToken); const service = client.chat.services(config.twilio.chatServiceSid); service.users.create({ identity: identity, friendlyName: user.username, attributes:JSON.stringify({ pro_pic:user.pro_pic, dob:user.dob }) }) .then(res => { console.log("new user created ",res.friendlyName); }) .catch(error=> { // console.log(error); service.users(identity).update({ friendlyName: user.username, attributes:JSON.stringify({ pro_pic:user.pro_pic, dob:user.dob }) }).then(function(response) { console.log("user update ", response.friendlyName); }).catch(function(error) { console.log(error); }); });` username_1: That's great to hear you got it sorted!
WarEmu/WarBugs
183782923
Title: Pet LoS Question: username_0: It's been fixed a while ago, but recently resurfaced (last patch maybe?) They again shoot through everything making keep def and any kind of cover using impossible. Specially irritating with squigs, as they will follow you inside the keep, etc Answers: username_1: This has since been fixed. Status: Issue closed
Remix-Design/RemixIcon
906876442
Title: Resizing does not work as expected Question: username_0: **Describe the bug** None of the resizing classes work. ```ri-xl```, ```ri-lg``` etc all produce same result. **Screenshots** This is my HTML code: ``` <div class="col-xl-2 col-md-4"> <div class="icon-box"> <i class="ri-flutter-fill ri-xl"></i> <h3><a href="#">Flutter</a></h3> </div> </div> ``` And this is my CSS for ```icon-box```: ``` #hero .icon-box { padding: 30px 20px; transition: ease-in-out 0.3s; border: 1px solid rgba(255, 255, 255, 0.3); height: 100%; text-align: center; } #hero .icon-box i { font-size: 32px; line-height: 1; color: #ffc451; } ```
ccyang/ysx-stackdriver-alerts
422572935
Title: [ALERT] Kubernetes Container - Uptime for ysx-cloud-platform mongo on ysx-cloud mongo Question: username_0: Date: March 19, 2019 at 02:55PM<br> <EMAIL><br> <br> <div style="width: 600px; margin: 0 auto;"> <table style="width: 100%; padding: 34px 6px; border-spacing: 0;"> <tr> <td style="padding: 0;"><img src="http://www.gstatic.com/stackdriver/notification/google_stackdriver_logo.png" alt="Google Stackdriver" style="vertical-align: top;"></td> <td style="text-align: right; padding: 0; font-family: inherit;"><a href="https://app.google.stackdriver.com/incidents/0.l5bs1gkmmm87?project=ysx-cloud" style="font-weight: 500; text-decoration: none;">VIEW DETAILS</a></td> </tr> </table> <div style="background-color: white; border-top: 4px solid #d40001; border-left: 1px solid #eee; border-right: 1px solid #eee; border-radius: 6px 6px 0 0; height: 24px;"></div> <div style="background-color: white; border-left: 1px solid #eee; border-right: 1px solid #eee; padding: 0 24px; overflow: hidden;"> <table style="width: 100%; border-spacing: 0;"> <tr> <td style="width: 35px; padding: 0;"><img src="http://www.gstatic.com/stackdriver/notification/exclamation_mark.png" alt="exclamation mark" style="vertical-align: top;"></td> <td style="padding: 0; font-family: inherit;"><span style="color: #d40001; font-size: 130%; font-weight: bold;">Alert firing</span></td> </tr> </table> <div style="margin-left: 35px;"> <h1>Kubernetes Container - Uptime for ysx-cloud-platform, mongo</h1> <p>The metric Uptime for ysx-cloud mongo has not been seen for over 3 minutes.</p> <h2>Summary</h2> <p><strong>Start time</strong><br> March 19, 2019 at 6:53AM UTC (~1 min, 55 sec ago)</p> <p><strong>Project</strong><br> ysx-cloud (<a href="https://console.cloud.google.com/?project=ysx-cloud" style="text-decoration: none;">Cloud Console</a> | <a href="https://app.google.stackdriver.com/?project=ysx-cloud" style="text-decoration: none;">Stackdriver</a>)</p> <p><strong>Policy</strong><br> <a href="https://app.google.stackdriver.com/policy-advanced/2416295986129079710?project=ysx-cloud" style="text-decoration: none;">Critical - Uptime absent (mongo)</a></p> <p><strong>Condition</strong><br> Kubernetes Container - Uptime for ysx-cloud-platform, mongo</p> <p><strong>Metric</strong><br> <a style="color: inherit; cursor: text; text-decoration: none;">kubernetes.io/container/uptime</a></p> </div> <div style="height: 54px;"></div> <div style="text-align: center;"><a href="https://app.google.stackdriver.com/incidents/0.l5bs1gkmmm87?project=ysx-cloud" style="display: inline-block; background-color: #4285f4; color: white; padding: 10px 18px; border-radius: 2px; text-decoration: none;">VIEW DETAILS</a></div> </div> <div style="background-color: white; border-left: 1px solid #eee; border-right: 1px solid #eee; border-bottom: 1px solid #eee; height: 58px;"></div> <div style="padding: 62px 6px; text-align: center; color: #757575;"> <img src="http://www.gstatic.com/stackdriver/notification/google_logo.png" alt="Google" style="vertical-align: top;"> <p>&copy; 2017 Google LLC<br> <a style="color: inherit; cursor: text; text-decoration: none;">1600 Amphitheatre Parkway, Mountain View, CA 94043</a></p> <p>You have received this mandatory service announcement to update you about important changes to Google Cloud Platform or your account.</p> <p><a href="https://app.google.stackdriver.com/policy-advanced/edit/2416295986129079710?project=ysx-cloud" style="text-decoration: none;">Manage notifications</a></p> </div> </div> <br>
BBj-Plugins/BBjGridExWidget
380256190
Title: setSelectedRow or setSelectedRows does not update the SelectedRowsMap Question: username_0: Run the new, enhanced selection demo. The "SHOW SEL" button now lists the result of getSelectedRows. It is (now) correct for any selection that the user made with the mouse, but it shows nothing after a programmatic selection with setSelectedRow(s). (prior to this fix it even showed the now wrong, old user selection. Added a call to "deleselectAll" to fix that aspect at least...) Answers: username_1: @username_0 It seems you pushed none required code. when the bbj method `setSelectedRow` || `setSelectedRows` is called, a selection change event will be fired back to bbj after the call to update the selection map, so you do not need to call `deleselectAll` After investigating the issues it seems that chromium is not sending the selection change event back to BBj. but BUI & JavaFX does. I will try to isolate the issue, this is an ugly one and it will take time. username_0: Looks like programatically selected rows never end up in the map: https://www.screencast.com/t/fwVQB5vfX Marking this as high priority... Status: Issue closed
Curt-Park/rainbow-is-all-you-need
616150091
Title: Running on Atari Games Question: username_0: Dear Jinwoo, Thank you very much for putting up this code. Running it on Jupyter notebook has been very useful and informative. I am trying to run the code (rainbow.ipynb) now on Atari games such as SpaceInvaders-v0. I tried the following : num_frames = 10000 memory_size = 1000000 batch_size = 32 target_update = 8000 # train agent = DQNAgent(env, memory_size, batch_size, target_update) agent.train(num_frames) However, I am receiving a matrix mismatch error (attached). I realize that porting the code to Atari is not straight forward, and might need the techniques used in https://github.com/medipixel/rl_algorithms. Before going through the above github in more detail, I was wondering whether you had an example of running any Atari game with the existing .ipynb notebook. ![atarierror](https://user-images.githubusercontent.com/56920928/81607422-f4585180-93d4-11ea-8515-bccbd56199a0.png) Regards, Farha Answers: username_0: Dear Jinwoo, Thank you very much for putting up this code. Running it on Jupyter notebook has been very useful and informative. I am trying to run the code (rainbow.ipynb) now on Atari games such as SpaceInvaders-v0. I tried the following : num_frames = 10000 memory_size = 1000000 batch_size = 32 target_update = 8000 # train agent = DQNAgent(env, memory_size, batch_size, target_update) agent.train(num_frames) However, I am receiving a matrix mismatch error (attached). I realize that porting the code to Atari is not straight forward, and might need the techniques used in https://github.com/medipixel/rl_algorithms. Before going through the above github in more detail, I was wondering whether you had an example of running any Atari game with the existing .ipynb notebook. ![atarierror](https://user-images.githubusercontent.com/56920928/81607422-f4585180-93d4-11ea-8515-bccbd56199a0.png) Regards, Farha username_1: This repository doesn't consider to cover wide range of RL environments so as to focus on delivering the basics of RL techniques as a tutorial. Unfortunately, I don't have any ipynb example for it, so you may need to employ things not introduced in this repository to run Atari environments. I feel sorry to say that. Status: Issue closed
smartdevicelink/sdl_core
290849573
Title: Remote Control - OnRCStatus notification Question: username_0: ## Description _As a mobile application I want to be able to get OnRCStatus notification on order to have an information about allocated RC modules_ ## Links Proposal: [0106-remote-control-onRcStatus-notification](https://github.com/smartdevicelink/sdl_evolution/blob/master/proposals/0106-remote-control-onRcStatus-notification.md) Answers: username_1: Closing as duplicate #1930 . Please search for existing issues before raising new ones. Status: Issue closed
JohnGnesdaARM/jammming_submit
331015596
Title: Project Overview Question: username_0: Overall, your work met and went above the project requirements -- excellent work! I really like that you removed the search button and simply searched onChange. Your code was also very neat and even commented!!! Really helps a reader follow along. My only critique is that you still have debugging code present. In my experience, you usually want to remove this code in your final version. Other than that, everything was on point!! Keep it up :) Answers: username_1: Thank you for the review! Status: Issue closed
hypothesis/client
549802788
Title: Horizontal scrollbar unexpectedly active for editor icons on Win 10 Question: username_0: Actual: ![image](https://user-images.githubusercontent.com/46509/72380376-1f05f800-36ca-11ea-90fa-c7b249a1117d.png) Answers: username_1: I'm not seeing this issue manifest in 1.272.0 on Chrome, FF or Edge. @username_0 can you confirm you still see the issue on Win 10? username_0: Yes, still happening.
platformio/platformio-core
270948454
Title: Home: Could not load installed platforms Question: username_0: PIO Core Call Error: 'module' object has no attribute 'path_to_unicode' Status: Issue closed Answers: username_1: * http://docs.platformio.org/en/latest/faq.html#multiple-pio-cores-in-a-system Also, please uninstall all PIO Cores from a system and remove `%HOME_DIR%/.platformio/penv`. Restart IDE
lhcb/first-analysis-steps
190958315
Title: Adding a section on MakeFiles and compiling ROOT macros using g++ Question: username_0: Having recently gone through the process of converting a jumbled mess of macros into a working application, a section on writing a Makefile could be useful. A quick braindump of this could include: * MakeFiles in general, and structuring a project. * Compiling with g++ `root-config --cflags` etc. * Some more advanced features e.g. using your own RooFit PDFs and ROOT dictionaries. I'l happily start work on this when I have some time, but having only recently gone through this process a more experienced eye watching over would be useful. Answers: username_1: We _just_ talked about this on Slack! 😄 I agree it could be useful. It would probably be more at home in [analysis essentials](https://github.com/lhcb/analysis-essentials). The problem is that we don't teach any C++/ROOT, so the compiling part wouldn't be relevant for the rest of the lessons. But I think Makefiles in general are super helpful, like for defining analysis workflows. That could make a cool lesson. And I'm not adverse to having a more general resource, even if it's not taught in the Starterkit. username_2: Feel free to import from [my blog](http://virgilio.mib.infn.it/~seyfert/quick-compiling-and-what-to-do-with-the-warning.html) ;) or on top of that, i would love to learn myself about [auto dependency generation](http://make.mad-scientist.net/papers/advanced-auto-dependency-generation/). username_3: I personally use CMake most of the time, but it adds another layer of indirection (But for any sort of real application, or for using IDEs, etc, it’s essential). CMake 3+ and my additions to FindROOT make it pretty easy to work with. I’ll try to write up an example in a few weeks and put it on my [blog](https://iscinumpy.blogspot.com) and put the FindROOT in a reasonable location (It’s part of [GooFit](/goofit/goofit) currently). username_4: This is already done with `strace`! See https://github.com/SimonAlfie/fabricate. Unfortunately, the maintainers are not active and not too receptive of my [ping](https://github.com/SimonAlfie/fabricate/pull/77#issuecomment-286675844). I'm still using it, though! username_2: @username_4 good to know. though i was mostly interested in just getting the `gcc -M...` flags to get dependencies on header files within a project covered by gnu make, for cases like: "i just edited one .h file an hour ago, only compiled with `make target1` and don't want to bother thinking about whether now `target2.o` needs to be recompiled". username_2: thinking about it again, aren't auto dependency generation and cmake are out of scope …
datamade/chi-councilmatic
494940455
Title: bills marked as stale when they should be passed Question: username_0: It looks like bills that should be marked as passed, are instead being flagged as stale: There are no bills marked as passed in the status search facet: <img width="402" alt="Screen Shot 2019-09-17 at 8 35 21 PM" src="https://user-images.githubusercontent.com/919583/65096496-cc6e3680-d98a-11e9-8932-dadfab8049f0.png"> Here's a bill that shows the stale status, but has been passed in the actions table <img width="917" alt="Screen Shot 2019-09-17 at 8 35 04 PM" src="https://user-images.githubusercontent.com/919583/65096509-d55f0800-d98a-11e9-99f3-06e9350b729f.png">
BluSunrize/ImmersiveEngineering
293692548
Title: [HELP] Crusher destroys every ore (NOT your fault!) Question: username_0: So, this isn't actually your problem, but I'm here just to ask some help. I've wrote my first mod and it's supposed to multiply drops from different ores (diamond, emerald, etc.). It is working fine, except I noticed that the Crusher from Immersive Engineering doesn't output grit anymore, it just destroys all the ores. The Crusher starts and runs just fine, but there's just no output at all. So I was thinking that if I f*d up somewhere, but don't really know where. I'm now asking that if you can say what I did wrong and what I need to change to get the Crusher back to working again. **Source code of the handler:** ``` @SubscribeEvent public static void yourPlayerHarvestEvent(HarvestDropsEvent event) { if (event.getHarvester() != null && !event.isSilkTouching() && event.getState().getMaterial().equals(Material.ROCK) && ODConfig.extraDropEnabled) { Block block = event.getState().getBlock(); int metaData = block.getMetaFromState(event.getState()); if (block == Blocks.LIT_REDSTONE_ORE) { block = Blocks.REDSTONE_ORE; metaData = 0; } ItemStack blockStack = new ItemStack(block, 1, metaData); try { if (OreDictionary.getOreIDs(blockStack)[0] != 0 && ((!ODConfig.blacklistMode && Arrays.asList(ODConfig.extraDropOres).contains(block.getRegistryName().toString())) || (ODConfig.blacklistMode && !Arrays.asList(ODConfig.extraDropOres).contains(block.getRegistryName().toString())))) { Random rand = new Random(); for(ItemStack itemStack : event.getDrops()){ if(!itemStack.getItem().getRegistryName().equals(block.getRegistryName()) && !(itemStack.getItem() instanceof ItemBlock)){ int multi = rand.nextInt(ODConfig.maxDropMulti - ODConfig.minDropMulti + 1) + ODConfig.minDropMulti; itemStack.setCount(itemStack.getCount() * multi); } } } } catch(Exception ex) { return; //Log.error("Error happened while multiplying items for block " + block.getLocalizedName()); } } } ``` **I also attached the mod file & it's full source here:** [OreDrop.zip](https://github.com/BluSunrize/ImmersiveEngineering/files/1687303/OreDrop.zip) Answers: username_0: Actually I managed to fix this.. I just jumped in the crusher in creative mode and suddenly it started to work again, not sure what caused the breakage though.... Status: Issue closed
bengler/norx
35219571
Title: Anybody gotten this to work? Question: username_0: I tried it several times, and it always fail. I've tried to modify the scripts to make it work, but not gotten it working. Has anyone managed to run it successfully? Answers: username_1: Nope, I get this error in the provision phase. Too old and not maintained. ==> default: -> Installing river-jdbc... ==> default: Trying http://bit.ly/19iNdvZ... ==> default: Failed to install river-jdbc, reason: failed to download out of all possible locations..., use -verbose to get detailed information ==> default: /tmp/vagrant-shell: line 73: cd: plugins/river-jdbc: No such file or directory
raiden-network/raiden
433873635
Title: Raiden won't start after aborting during migration Question: username_0: On the new RC I was trying to start Raiden, but kept on getting “Connection pool is full” warning, so I stopped Raiden (ctrl+c) during that in order to see if it would also happen with one of our own hosted nodes. These are the logs from that run of Raiden: (https://gist.github.com/username_0/c93314b52f22e25ddf347604247bddb3) Then when trying to start Raiden again I am getting this error: https://gist.github.com/username_0/0273092ec84d28c70a32ce52b41f4d4d Please note that this was done with an old node on mainnet that has been running older versions of Raiden previously. Attached is the entire DB folder: [jacob_raiden_db.zip](https://github.com/raiden-network/raiden/files/3085894/jacob_raiden_db.zip)<issue_closed> Status: Issue closed
square/workflow
431975157
Title: [kotlin] Rename compose method and concept in docs to render Question: username_0: The `compose` function was originally called `render` in the Swift implementation. After much discussion, we decided to rename to `compose` to avoid suggesting too strong an association with UI (it can return screen data, but can also be any arbitrary value). However, this is dumb for a few reasons: - we're still calling the _type_ `Rendering` - "render" is a much more specific verb to represent this specific concept than the super-generic "compose" - It turns out Swift never actually got around to renaming everything anyway. For these reasons, I propose renaming the `State{ful|less}Workflow.compose` method back to `render`. - [Slack discussion](https://workflow-community.slack.com/archives/CHB9VKA10/p1554945388058500) Answers: username_1: +1 `compose` is really abstract and only leads to more confusion when starting out IMO. Status: Issue closed
docker/hub-feedback
293631493
Title: Docker repository pushed and online but can't find it in Hub search Question: username_0: Hi there, My Docker username is **qmcgaw** and I have a [Docker repository](https://hub.docker.com/r/qmcgaw/godaddy-ip-ddns/) on Docker but I can't find it at all when [I search for it using my username with the Docker Hub](https://hub.docker.com/search/?q=qmcgaw). I can however pull successfully from the Docker Hub for example. How do I fix this ? Thanks ! Answers: username_0: Docker Hub takes a few hours to display your repository in the search. Solved! Status: Issue closed
crazyxman/simdjson_php
482873621
Title: Consider setting up CI tests Question: username_0: It should be possible to use circleci or drone to setup tests. At a minimum, one should check that the install process works. Answers: username_1: Thanks! I will add CI tests username_2: @username_1 Can you setup GitHub actions please to test the extension with different PHP versions. I think minimum PHP version 7.3 would be enough. So we have PHP 7.3, 7.4 and 8.0. username_0: @username_2 I think somebody could do a pull request with actions. Status: Issue closed
ehlxr/ehlxr.me
221734937
Title: Linux 操作笔记 | Ehlxr's Blog Question: username_0: http://username_0.me/2017/04/14/Linux-%E6%93%8D%E4%BD%9C%E7%AC%94%E8%AE%B0/ Answers: username_0: 🕸 username_0: 🤣 username_1: 🍎 username_2: :smile: 怎么添加gitment到hexo的,想添加到indigo主题里去 username_0: @ username_2 indigo 主题没用过,其实很简单,在每个页面生产的地方加一段代码就可以了,我可以把我 Next 主题修改的发给你,留个邮箱 username_0: @username_2 indigo 主题没用过,其实很简单,在每个页面生产的地方加一段代码就可以了,我可以把我 Next 主题修改的发给你,留个邮箱 username_2: <EMAIL> 谢谢 好像没法在本地测试额,127.0.0.1:4000这样 username_0: @username_2 可以在本地测试啊
bhazer/Hubitat
742921678
Title: Wireless Tags Question: username_0: Not sure if you are still supporting this. I installed it, seems to work as expected; however I get massive errors (maybe 20 identical email notifications) every 15 minutes. Messages seem to rotate between my different tags: app:382020-11-13 07:44:26.107 pm traceurl callback app:382020-11-13 07:44:25.971 pm errorjava.lang.NumberFormatException: empty String on line 68 (handleUrlCallback) app:382020-11-13 07:44:25.936 pm debugGenerating AppDebug Event: [name:appdebug, descriptionText:url callback: [access_token:<KEY>, batteryVolt:2.87971, cap:, id:0, lux:0, name:Tag A - Frig, temperature:6.80267453193665, type:update], displayed:true]** app:382020-11-13 07:44:25.929 pm traceurl callback app:382020-11-13 07:40:01.067 pm tracesuccess app:382020-11-13 07:40:00.123 pm tracesending /ethClient.asmx/GetTagList app:382020-11-13 07:40:00.108 pm tracepollHandler Thanks. Answers: username_1: Hmmm. Do you have tags that don't measure humidity? I guess nobody has run this with those tags before. Should be an easy fix. I'll try to get around to it this weekend. username_0: Correct - I have 3 of the regular tags which do not have humidity.  I was hoping it would be something easy :) Thanks. ___________________ <NAME> Status: Issue closed username_1: Ok. It should be fixed now, but I don't have a great way to test it. username_0: Thanks.  I will install and let you know.   Probably won’t be until tomorrow. ___________________ <NAME> username_0: Here is a snippet of the log: 2020-11-15 08:04:51.222 pm errorgroovy.lang.MissingMethodException: No signature of method: java.math.BigDecimal.isDouble() is applicable for argument types: () values: [] Possible solutions: toDouble(), scale() on line 48 (updated) app:382020-11-15 08:04:51.137 pm tracesuccess app:382020-11-15 08:04:50.672 pm tracesending /ethClient.asmx/GetTagList app:382020-11-15 08:04:50.662 pm tracepollHandler ___________________ <NAME> username_0: The fix seems to have broken it completely.  It worked before despite the errors. Here is another log snippet: app:382020-11-16 07:01:59.334 am errorjava.lang.NullPointerException: null on line 72 (handleUrlCallback) app:382020-11-16 07:01:59.298 am debugGenerating AppDebug Event: [name:appdebug, descriptionText:url callback: [access_token:b0a527f1-8988-4244-8365-33fd5df295eb, batteryVolt:2.923762, cap:, id:1, lux:0, name:Tag B - Wine Frig, temperature:15.3188743591309, type:update], displayed:true] app:382020-11-16 07:01:59.292 am traceurl callback ___________________ <NAME> On Nov 15, 2020, 8:08 PM -0800, <NAME>. <<EMAIL>>, wrote: > Here is a snippet of the log: > > 2020-11-15 08:04:51.222 pm errorgroovy.lang.MissingMethodException: No signature of method: java.math.BigDecimal.isDouble() is applicable for argument types: () values: [] > Possible solutions: toDouble(), scale() on line 48 (updated) > app:382020-11-15 08:04:51.137 pm tracesuccess > app:382020-11-15 08:04:50.672 pm tracesending /ethClient.asmx/GetTagList > app:382020-11-15 08:04:50.662 pm tracepollHandler > > ___________________ > <NAME> > username_1: 5 months later and I think I've finally fixed this.
denizyuret/Knet.jl
143330886
Title: 1D vector multiplication does not work with Knet Question: username_0: `using Knet` `a=[1;2;3]` `a*a'` `ERROR: MethodError: `gemm!` has no method matching gemm!(::Char, ::Char, ::Int64, ::Array{Int64,2}, ::Array{Int64,2}, ::Int64, ::Array{Int64,2}) in * at linalg/matmul.jl:88 in A_mul_Bc at operators.jl:164` Without using Knet it works Status: Issue closed Answers: username_1: I am closing this issue as resolved by Knet8. Please reopen if you have further problems.
ministryofjustice/cloud-platform
894247067
Title: Take on ownership and maintenance of kuberos Question: username_0: As part of investigation to find alternatives in this ticket: https://github.com/ministryofjustice/cloud-platform/issues/1203, look into taking ownership and maintaining kuberos. This will be needed for Migrating to EKS. - Patch and upgrade dependencies of frontend UI - Patch and upgrade dependencies of kuberos backend - Check for coding standards and documentation for future maintenance Answers: username_0: First draft comments: - github actions for building image - Add tests if needed - go doc for documentation. gh-action? - Update Readme - cleanup webpack - go - check whether the packages are latest and maintained. helm chart - check the diff with helm 3 Status: Issue closed
globocom/megadraft
168418913
Title: scss is not included in the distrubution Question: username_0: Hi there~~ It looks like the scss is not included in the distribution. Some of the partials might be useful if I want to cherry pick only one part of the style. I could also just use the css though. Ge Answers: username_1: Hi @username_0! That's a great idea! We'll try to fix this and generate a new release. Thanks for the feedback. username_1: Hey @username_0! There's a new release `0.1.10` that includes Sass files. I hope it helps. We would love to see the result of your customization and hear about your overall experience with `Megadraft`. Status: Issue closed
spring-projects/spring-boot
1058964899
Title: Possible conflicts with azure-spring-boot-bom and spring-boot-starter-actuator Question: username_0: -Spring boot 2.5.6 -Maven error: java.lang.NoSuchFieldError: ERROR_ATTRIBUTE ANY request made to the API works but throws a 500 as a response and kicks up the error on spring. When removing actuator from the application pom.xml there are no errors at all. Everything works perfectly The addition of actuator, despite if it's secured or not by spring security, introduces the error. I've removed all bits of security configuration from the application and just having the two dependencies in the pom, not being used, will still replicate the error. I've cleaned the project, tried to manually override the dependencies versions for both actuator and spring security but all to no avail. Dependencies: <dependencyManagement> <dependencies> <dependency> <groupId>com.azure.spring</groupId> <artifactId>azure-spring-boot-bom</artifactId> <version>3.9.0</version> <type>pom</type> <scope>import</scope> </dependency> </dependencies> </dependencyManagement> <dependencies> <dependency> <groupId>com.azure.spring</groupId> <artifactId>azure-spring-boot-starter-active-directory</artifactId> </dependency> <dependency> <groupId>org.springframework.boot</groupId> <artifactId>spring-boot-starter-web</artifactId> </dependency> <dependency> <groupId>org.springframework.boot</groupId> <artifactId>spring-boot-starter-security</artifactId> </dependency> <dependency> <groupId>org.springframework.boot</groupId> <artifactId>spring-boot-starter-actuator</artifactId> </dependency> Error Log: 2021-11-19 10:30:29.480 DEBUG 22256 --- [http-nio-9086-exec-4] o.s.web.servlet.DispatcherServlet : "INCLUDE" dispatch for GET "/error", parameters={} 2021-11-19 10:30:29.481 DEBUG 22256 --- [http-nio-9086-exec-4] s.w.s.m.m.a.RequestMappingHandlerMapping : Mapped to org.springframework.boot.autoconfigure.web.servlet.error.BasicErrorController#error(HttpServletRequest) 2021-11-19 10:30:29.482 TRACE 22256 --- [http-nio-9086-exec-6] o.s.s.w.header.writers.HstsHeaderWriter : Not injecting HSTS header since it did not match request to [Is Secure] 2021-11-19 10:30:29.482 DEBUG 22256 --- [http-nio-9086-exec-4] o.s.w.s.m.m.a.HttpEntityMethodProcessor : Found 'Content-Type:application/font-woff' in response 2021-11-19 10:30:29.483 DEBUG 22256 --- [http-nio-9086-exec-6] w.c.HttpSessionSecurityContextRepository : Did not store anonymous SecurityContext 2021-11-19 10:30:29.483 WARN 22256 --- [http-nio-9086-exec-4] .w.s.m.s.DefaultHandlerExceptionResolver : Resolved [org.springframework.http.converter.HttpMessageNotWritableException: No converter for [class java.util.LinkedHashMap] with preset Content-Type 'application/font-woff'] 2021-11-19 10:30:29.483 DEBUG 22256 --- [http-nio-9086-exec-4] o.s.web.servlet.DispatcherServlet : Exiting from "INCLUDE" dispatch, status 200 2021-11-19 10:30:29.484 DEBUG 22256 --- [http-nio-9086-exec-6] o.s.web.servlet.DispatcherServlet : Completed 200 OK 2021-11-19 10:30:29.484 DEBUG 22256 --- [http-nio-9086-exec-6] w.c.HttpSessionSecurityContextRepository : Did not store anonymous SecurityContext 2021-11-19 10:30:29.484 DEBUG 22256 --- [http-nio-9086-exec-6] s.s.w.c.SecurityContextPersistenceFilter : Cleared SecurityContextHolder to complete request 2021-11-19 10:30:29.485 ERROR 22256 --- [http-nio-9086-exec-6] o.a.c.c.C.[.[.[/].[dispatcherServlet] : Servlet.service() for servlet [dispatcherServlet] in context with path [] threw exception [Filter execution threw an exception] with root cause [Truncated] at org.apache.catalina.core.StandardHostValve.invoke(StandardHostValve.java:135) ~[tomcat-embed-core-9.0.52.jar:9.0.52] at org.apache.catalina.valves.ErrorReportValve.invoke(ErrorReportValve.java:92) ~[tomcat-embed-core-9.0.52.jar:9.0.52] at org.apache.catalina.core.StandardEngineValve.invoke(StandardEngineValve.java:78) ~[tomcat-embed-core-9.0.52.jar:9.0.52] at org.apache.catalina.connector.CoyoteAdapter.service(CoyoteAdapter.java:357) ~[tomcat-embed-core-9.0.52.jar:9.0.52] at org.apache.coyote.http11.Http11Processor.service(Http11Processor.java:382) ~[tomcat-embed-core-9.0.52.jar:9.0.52] at org.apache.coyote.AbstractProcessorLight.process(AbstractProcessorLight.java:65) ~[tomcat-embed-core-9.0.52.jar:9.0.52] at org.apache.coyote.AbstractProtocol$ConnectionHandler.process(AbstractProtocol.java:893) ~[tomcat-embed-core-9.0.52.jar:9.0.52] at org.apache.tomcat.util.net.NioEndpoint$SocketProcessor.doRun(NioEndpoint.java:1726) ~[tomcat-embed-core-9.0.52.jar:9.0.52] at org.apache.tomcat.util.net.SocketProcessorBase.run(SocketProcessorBase.java:49) ~[tomcat-embed-core-9.0.52.jar:9.0.52] at org.apache.tomcat.util.threads.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1191) ~[tomcat-embed-core-9.0.52.jar:9.0.52] at org.apache.tomcat.util.threads.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:659) ~[tomcat-embed-core-9.0.52.jar:9.0.52] at org.apache.tomcat.util.threads.TaskThread$WrappingRunnable.run(TaskThread.java:61) ~[tomcat-embed-core-9.0.52.jar:9.0.52] at java.base/java.lang.Thread.run(Thread.java:831) ~[na:na] 2021-11-19 10:30:29.494 DEBUG 22256 --- [http-nio-9086-exec-6] o.s.web.servlet.DispatcherServlet : "INCLUDE" dispatch for GET "/error", parameters={} 2021-11-19 10:30:29.494 DEBUG 22256 --- [http-nio-9086-exec-6] s.w.s.m.m.a.RequestMappingHandlerMapping : Mapped to org.springframework.boot.autoconfigure.web.servlet.error.BasicErrorController#error(HttpServletRequest) 2021-11-19 10:30:29.495 DEBUG 22256 --- [http-nio-9086-exec-6] o.s.w.s.m.m.a.HttpEntityMethodProcessor : Found 'Content-Type:application/font-woff' in response 2021-11-19 10:30:29.497 WARN 22256 --- [http-nio-9086-exec-6] .w.s.m.s.DefaultHandlerExceptionResolver : Resolved [org.springframework.http.converter.HttpMessageNotWritableException: No converter for [class java.util.LinkedHashMap] with preset Content-Type 'application/font-woff'] Answers: username_1: The `ERROR_ATTRIBUTE` field was added to `org.springframework.boot.web.servlet.error.ErrorAttributes` from the `org.springframework.boot:spring-boot` module in Spring Boot 2.5.0. It would appear that you have an earlier version of that module on the classpath. I can't tell why that's the case from the information you've provided thus far but I suspect the cause of the problem is in your pom.xml file. If you would like us to spend some more time investigating, please spend some time providing a complete yet minimal sample that reproduces the problem. You can share it with us by pushing it to a separate repository on GitHub or by zipping it up and attaching it to this issue. username_0: I am no longer having this issue. I logged in this morning and it worked without changes. Thank you for the response though. Status: Issue closed
gollum/gollum
133932273
Title: Feature Request: Macros as part of wiki instead of server configuration Question: username_0: I would like to create macros as part of the wiki without having to change the server side of things. At this point I have to create a macro file, go to the server add it to the gollum configuration and restart the whole thing. I would like to add a macro as a page on the wiki and be able to reference that. I don't care about the language. Ruby, javascript, lua, anything will do. MediaWiki has a very nice plugin for this: https://www.mediawiki.org/wiki/Extension:Scribunto Status: Issue closed Answers: username_1: Hi there, Thanks for chipping in. Unfortunately, I don't think we'll be able to implement this properly. It would essentially require us to check any/all possible files which contain Macro definitions, then parse and load all the macros, *for each page request*. I also think restarting the server is not a terrible price to pay for the current Macro system. (Possibly this functionality was more easy to implement in mediawiki because it uses a normal database as a backend.) Of course, I'm happy to reopen this if others think it's an important feature to have. username_2: It can be implemented properly, e.g. using a specialized page inclusion. But a feature like that has many implications and I think that's the real problem. If anyone is interested, I could write a little bit more about that. @username_0 I can see and appreciate the purpose of your idea , but let me ask you: why don't you either configure SSH and sFTP access or SSH and git access on your server, and really restart the server manually (but remotely)? You could even make a script out of it :). Is your server sitting behind a strict firewall? username_3: @username_2 No obviously I could do it that way, but I'd like it to be something that I can do from the web without too much hassle. username_0: @username_2 No obviously I could do it that way, but I'd like it to be something that I can do from the web without too much hassle.
gradle/gradle
396854490
Title: [Documentation] Link code examples to github Question: username_0: Some of the documentations have nice "highlighting" "badges" like the following: ![bildschirmfoto 2019-01-08 um 11 52 01](https://user-images.githubusercontent.com/10229883/50826517-1c94f380-133c-11e9-9feb-66bc174b6fb7.png) When I want to take a look into the example: * I open a new search * google for the path (here `samples/compositeBuilds/basic`) * click/open the first google result which is most of the time the source code at github (here https://github.com/gradle/gradle/tree/8f9a01ff37e304340f11db890c3db9eaac46cd2b/subprojects/docs/src/samples/compositeBuilds/basic) I think it would be great when there is already a link to the source code at github. The branch should reflect the current Gradle version from the doc. So meaning `current` goes to to the master branch while a specific documentation (e.g. `4.9`) should point to the git-tag ([like this](https://github.com/gradle/gradle/tree/v4.9.0/subprojects/docs/src/samples/compositeBuilds/basic)) ### Expected Behavior There is an link to the example/source code in the documentation when its mentioned.. ### Current Behavior There is no link to the example/source code :(
kubernetes-sigs/azurefile-csi-driver
1147496348
Title: Error: rendered manifests contain a resource that already exists. Unable to continue with install: DaemonSet "csi-azurefile-node-win" in namespace "kube-system" exists and cannot be imported into the current release: invalid ownership metadata; label validation error: missing key "app.kubernetes.io/managed-by": must be set to "Helm"; annotation validation error: missing key "meta.helm.sh/release-name": must be set to "azurefile-csi-driver"; annotation validation error: missing key "meta.helm.sh/release-namespace": must be set to "kube-system" Question: username_0: **What happened**: We have 2 existing AKS clusters that were built many months using "v1.4.0" of "azurefile_csi_driver" and they are still running without issue. We have just tried standing up a brand new AKS cluster and are receiving the error "Error: rendered manifests contain a resource that already exists. Unable to continue with install: DaemonSet "csi-azurefile-node-win" in namespace "kube-system" exists and cannot be imported into the current release: invalid ownership metadata; label validation error: missing key "app.kubernetes.io/managed-by": must be set to "Helm"; annotation validation error: missing key "meta.helm.sh/release-name": must be set to "azurefile-csi-driver"; annotation validation error: missing key "meta.helm.sh/release-namespace": must be set to "kube-system"" **What you expected to happen**: Expected it to just work like the other two as we haven't changed the resource. **How to reproduce it**: This is the terraform resource we use for the helm release, resource "helm_release" "azurefile_csi_driver" { atomic = true chart = "azurefile-csi-driver" name = "azurefile-csi-driver" namespace = "kube-system" repository = "https://raw.githubusercontent.com/kubernetes-sigs/azurefile-csi-driver/master/charts/" version = var.helm_release_azurefile_csi_driver_version # we use -> v1.4.0 timeout = 180 wait = true depends_on = [ data.azurerm_kubernetes_cluster.azure, ] } **Anything else we need to know?**: Given the error mentioned resources already existing we manually deleted the following and retried but no change, - csi-azurefile-node-win - csi-azurefile-node - csi-azuredisk-node-win - csi-azuredisk-node **Environment**: - CSI Driver version: v1.4.0 - Kubernetes version (use `kubectl version`): 1.21.9 (all 3 clusters) - OS (e.g. from /etc/os-release): (AKS) Azure Kubernetes Service Answers: username_1: since you are already on AKS 1.21, Azure file CSI driver is already installed by default by AKS, you don't need to install CSI driver any more. Status: Issue closed username_0: that would do it @username_1 we have commented out that part of the terraform install and things are now working as expected, thanks 😀
watermint/toolbox
530696505
Title: `file import viaapp`: Another way to upload PoC Question: username_0: * Keep command hidden. Answers: username_0: ``` panic: runtime error: invalid memory address or nil pointer dereference [signal 0xc0000005 code=0x0 addr=0x1c pc=0x9a4259] goroutine 66 [running]: github.com/username_0/toolbox/recipe/file/import.(*ViaAppDbxScannerWorker).Exec(0x1221a9c0, 0x0, 0x0) /go/src/github.com/username_0/toolbox/recipe/file/import/viaapp.go:361 +0x639 github.com/username_0/toolbox/infra/recpie/app_worker_impl.(*Queue).dequeue(0x122bb4d0) /go/src/github.com/username_0/toolbox/infra/recpie/app_worker_impl/worker.go:39 +0x28b created by github.com/username_0/toolbox/infra/recpie/app_worker_impl.(*Queue).Launch /go/src/github.com/username_0/toolbox/infra/recpie/app_worker_impl/worker.go:59 +0x201 ``` NPE username_0: - [ ] Copy modTime from src file username_0: will not be implemented Status: Issue closed
vaadin-learning-center/flow-docker-app
989191787
Title: Exception in thread "AWT-Windows" Question: username_0: Helllo folks! Actually I am faced with a challenge building a Dockerimage on WINDOWS NANOSERVER basis. I tried to build my own image by modifying following dockerfile from here https://github.com/vaadin-learning-center/flow-docker-app/blob/master/Dockerfile ``` # Set escape char for Windows build systems # escape=` # Windows distribution FROM openjdk:11-nanoserver WORKDIR / ADD target/*.jar app.jar EXPOSE 8080 CMD java -jar app.jar ``` But somehow I retrieve following really strange error message: ``` Exception in thread "AWT-Windows" java.lang.InternalError: unsupported screen depth at java.desktop/sun.awt.windows.WToolkit.init(Native Method) at java.desktop/sun.awt.windows.WToolkit.run(WToolkit.java:293) at java.base/java.lang.Thread.run(Thread.java:829) ``` Would really welcome your support. Thanks.
recurly/recurly-client-python
326077875
Title: Recurly analytics data to grafana Question: username_0: Hi, Is there any way to get recurly analytics data to grafana? Either API's or by using REST API's or python client? Please suggest ? Answers: username_1: @username_0 I think it depends on what you are looking to see and how real-time it should. I'd suggest looking at exports instead of using the API for this: https://docs.recurly.com/docs/export-overview Status: Issue closed
oss/shrunk
92176846
Title: Tailor search options and results Question: username_0: If possible, it would be nice if search results highlighted which aspect of the link matched the search query (e.g. the link title, short URL, NetID). It would also be nice if administrators could tailor which of these search criteria they want to use.<issue_closed> Status: Issue closed
emiyl/HBInjector
309702233
Title: Backup Accidental delete makes it impossible to restore app and problem with flags Question: username_0: I. Here I provided system apps eboot to restore from the application in case the backup is deleteded from ux0:data/hbinjector/titleid https://drive.google.com/open?id=1ktDmsVplbjsZaowe-nrRDEaJ0sH4IUin Maybe a new update might provide the user to use the eboot backups independent from the one's being backup by the hbinjector. This will prove more useful in restoring files. II. Flags issues kept on popping. Need to delete files from ux0:data/hbinjector/flags in order to inject/restore apps Answers: username_1: Aight. I'll be mirroring the files myself. I guess I could add the og eboots to the app, but.... I'll think about it. username_2: Flag issues have been fixed in 1.2.6 thanks to [StepS-](https://github.com/StepS-) Status: Issue closed
bethlakshmi/GBE2
97051954
Title: Volunteer Review listings lists duplicate humans Question: username_0: I make the following case: - my account submitted 2 volunteer bids - that's allowed and was a planned use case last year, if I recall. - both bids work fine in the review code - in the volunteer allocation for a Volunteer Opportunity (/scheduler/edit/GenericEvent/*event_id*), I get: - 2 listings for my user's name in "All Volunteers" - 1 listing in Interested - 1 listing in Available I don't mind the 2 listings, but if we do it this way, there should be a way in the "All" to discriminate between the two bids. Answers: username_0: We've now changed this - the user can only submit one bid per conference but then they can update it. Use case no longer applies. Status: Issue closed
miwaark0810/furima-31762
746315959
Title: 【依頼】フリマアプリ挙動確認 Question: username_0: #フリマアプリのURL https://furima-31762.herokuapp.com/ #Basic認証のIDとパスワード ID…admin PW…2222 #出品者用のメールアドレスとパスワード アドレス…seller@sample PW…seller123 #購入者用のメールアドレスとパスワード アドレス…buyer@sample PW…buyer123 #購入用カードの番号・期限・セキュリティコード 番号…4242424242424242 期限…登録時より未来 CVC…123 Answers: username_1: 丹羽さん、ご提出ありがとうございます! 挙動確認させて頂きましたが、全く問題ございませんでしたのでLGTMとさせて頂きます🎉 おめでとうございます! **※確認したのは必須機能のみで追加実装した機能については確認していません。 そのため追加機能を実装している場合は、正しく想定通りの挙動であるかご自身で再度確認をお願いいたします。**