repo_name
stringlengths
4
136
issue_id
stringlengths
5
10
text
stringlengths
37
4.84M
TriBITSPub/TriBITS
159420463
Title: TriBITS fails with CMake 3.6rc1 Question: username_0: I receive the following configuration error using TriBITS. Windows 10, CMake3.6r1 with MinGW64-4.8.5 toolchain. ``` CMake Error: Error in cmake code at C:/Users/bogus/projects/tutela/TriBITS/Version.cmake:1: Parse error. Expected a command name, got unquoted argument with text "tribits/Version.cmake". CMake Error at TriBITS/tribits/core/package_arch/TribitsGlobalMacros.cmake:1975 (INCLUDE): include could not find load file: C:/Users/bogus/projects/tutela/TriBITS/Version.cmake Call Stack (most recent call first): TriBITS/tribits/core/package_arch/TribitsGlobalMacros.cmake:2009 (TRIBITS_REPOSITORY_CONFIGURE_VERSION_HEADER_FILE) TriBITS/tribits/core/package_arch/TribitsProjectImpl.cmake:253 (TRIBITS_REPOSITORY_CONFIGURE_ALL_VERSION_HEADER_FILES) TriBITS/tribits/core/package_arch/TribitsProject.cmake:93 (TRIBITS_PROJECT_IMPL) CMakeLists.txt:85 (TRIBITS_PROJECT) ``` Answers: username_1: @username_0, I will be testing the CMake 3.6 branch soon and I will see if this comes up. Otherwise, if you can provide a PR that addresses the issue, then that would be great! username_1: Just curious, but what projects are you using TriBITS with these days? username_0: @username_1 I updated to using CMake 3.4.3 and I received the same error. username_0: @username_1 I have two projects that I am using TriBITS in. I find declaring extra repos as NOPACKAGES so I can rename them as I wish in my directory structure is convenient. Is there anything I loose by doing this? username_1: Looking at the code, I see this is set as: ``` SET(REPOSITORY_VERSION_FILE ${REPOSITORY_ABS_DIR}/Version.cmake) ``` I am wondering if you are getting bit by #43? Do you have a TriBITS Repo and Package with the same name but different source dirs (which is currently not allowed but will be fixed as part of #43)? Can you push your code so some branches somewhere so that I can take a look? If this is EC, then perhaps you can give me access on the ORNL network. username_1: That works and can make sense in many cases. This is less overhead because you don't have to supply a PackagesList.cmake or TPLsList.cmake file in these NOPACKAGES VC repos. You just add the packages list and TPLs list directly the the parent TriBITS repo's files. But I would need to see the full context and reuse use cases, etc. Note that once I can complete #43, you can name TriBITS repos anything you want and put them anywhere you want (under the base project repo). username_0: I have been bitten by #43 before. I haven't introduced any packages since resolving conflicts in the past. This quick patch, formal include command with include guard, resolves the issue: ``` $ git diff diff --git a/Version.cmake b/Version.cmake index 9d915d5..ae13ff7 120000 --- a/Version.cmake +++ b/Version.cmake @@ -1 +1,6 @@ -tribits/Version.cmake \ No newline at end of file +IF(NOT TRIBITS_VERSION_CMAKE_INCLUDE) + SET(TRIBITS_VERSION_CMAKE_INCLUDE TRUE) +ELSE() + RETURN() +ENDIF() +INCLUDE(${CMAKE_CURRENT_SOURCE_DIR}/tribits/Version.cmake) ``` username_1: What, what file is this? Is the the file: TriBITS/tribits/Version.cmake that is symlinked as TriBITS/Version.cmake ? I think this must be due to a symlink issue or something strange with CMake or the file system on MinGW64. username_0: So on Linux Version.cmake is a symlink to tribits/Version.cmake. Symlinks don't work on Windows. This indicated that I am including TriBITS differently than other Windows projects (SCALE). However, both projects simply include TriBITS/tribits/TriBITS.cmake. I don't know how SCALE is not running into this same issue. username_1: @username_0, Can you please commit this fix including `#129` in the commit log on a branch and then do a PR to this repo? That makes all of this easier for me and it removes all ambiguity. Much easier that raw patches. And then you get credit once I merge (or rebase) your branch/commits. See details at [Contributing to TriBITS](https://github.com/TriBITSPub/TriBITS/wiki/Contributing-to-TriBITS#preferred-process-for-suggesting-and-making-changes-to-tribits). Thanks, -Ross username_0: My previous solution fixes the config error, however cmake "stops working". I found an easier solution. The problem originated with me listing TriBITS as an extra repo. I did this so it would receive updates during CI. The solution was to remove TriBITS from extra repo listing. Status: Issue closed username_1: @username_0, where you listing TriBITS as an extra repo in the ExtraRepositoriesList.cmake file? If you were doing that for the git clones and updates then you can just add NOPACKAGES and it will not try to add TriBITS as a TriBITS repo. Unless you are developing on TriBITS, there is no reason to add TriBITS as a package. I stopped doing that a long time ago in Trilinos. As for the issue of TriBITS/Version.cmake, I am going to move to a model where I configure Version.cmake from Version.cmake.in so I can determine the version automatically from the git tag. See a discussion of this [here](https://docs.google.com/document/d/1uVQYI2cmNx09fDk<KEY>uUue7wo/edit#bookmark=id.7cru8wb8ed7). Therefore, there will not even be a symlink in the future. username_0: @username_1 I am encountering this issue again. I require TriBITS to be an extra repository, but this symlink is causing a configuration error. I have NOPACKAGES set for TriBITS, but it still presents with this error ``` C:/regression/tutela_nightly/source/TriBITS/Version.cmake:1: Parse error. Expected a command name, got unquoted argument with text "tribits/Version.cmake". CMake Error at C:/regression/tutela_nightly/local/TriBITS/tribits/core/package_arch/TribitsGlobalMacros.cmake:2039 (INCLUDE): include could not find load file: C:/regression/tutela_nightly/source/TriBITS/Version.cmake ``` So this symlink is switch out for a file with a single line containing the relative path to the link destination. Any other ideas about how to resolve this issue? Thanks, Jordan username_0: I receive the following configuration error using TriBITS. Windows 10, CMake3.6r1 with MinGW64-4.8.5 toolchain. ``` CMake Error: Error in cmake code at C:/Users/bogus/projects/tutela/TriBITS/Version.cmake:1: Parse error. Expected a command name, got unquoted argument with text "tribits/Version.cmake". CMake Error at TriBITS/tribits/core/package_arch/TribitsGlobalMacros.cmake:1975 (INCLUDE): include could not find load file: C:/Users/bogus/projects/tutela/TriBITS/Version.cmake Call Stack (most recent call first): TriBITS/tribits/core/package_arch/TribitsGlobalMacros.cmake:2009 (TRIBITS_REPOSITORY_CONFIGURE_VERSION_HEADER_FILE) TriBITS/tribits/core/package_arch/TribitsProjectImpl.cmake:253 (TRIBITS_REPOSITORY_CONFIGURE_ALL_VERSION_HEADER_FILES) TriBITS/tribits/core/package_arch/TribitsProject.cmake:93 (TRIBITS_PROJECT_IMPL) CMakeLists.txt:85 (TRIBITS_PROJECT) ``` username_1: For now I can just duplicate this file and I will put in a configure-time check to make sure they are the same in case I forgot if I change one without updating the other. Longer term, I want to configure the Version.cmake file taking advantage of the current git tag. See: * https://docs.google.com/document/d/1WKs8rJhI3037yKGnEVMhIx9dPN7a7uFRM5isdNAhAXI/edit#bookmark=id.c9fdw29elloo If I create a branch can you pull it and test it out? username_0: @username_1 no need to make a branch. I will make a local change and test. username_0: Yes. This resolves the issue. username_1: @username_0, I just pushed the commit: ``` commit <PASSWORD> Author: <NAME> <<EMAIL>> Date: Mon Nov 14 19:15:50 2016 -0700 Make base Version.cmake file copy for Windows (#129) You can't use a symlink for this file or it breaks the Windows build of a TriBITS project (see #129). I tested this manually a few different ways and it aborts the configure if it detects that these two files are different. Later, the Version.cmake file will be configured so this will not be an issue. Build/Test Cases Summary Enabled Packages: Enabled all Packages 0) MPI_DEBUG => passed: passed=222,notpassed=0 (0.35 min) 1) SERIAL_RELEASE => passed: passed=222,notpassed=0 (0.31 min) ``` to the TriBITS GitHub 'master' branch. Can you please try this out to make sure this fixes your problem and then add a comment here? I will keep this issue in review until I hear back from you. Status: Issue closed username_1: Given the comment [above](https://github.com/TriBITSPub/TriBITS/issues/129#issuecomment-260017402), I am going to assume that creating a copy of the Version.cmake file fixes the problem.
ChainSafe/go-fil-markets-interface
658323529
Title: Implement Peer Resolver Interface Question: username_0: As per the README on the [Retrieval Markets](https://github.com/filecoin-project/go-fil-markets/tree/master/retrievalmarket) under **Operations**, we must implement the `Peer Resolver`. It is used to find peers in order to query for data. ``` // PeerResolver is an interface for looking up providers that may have a piece type PeerResolver interface { GetPeers(payloadCID cid.Cid) ([]RetrievalPeer, error) // TODO: channel } ``` https://pkg.go.dev/github.com/filecoin-project/[email protected]/retrievalmarket?tab=doc#PeerResolver<issue_closed> Status: Issue closed
danny-andrews/riot-redux
138362469
Title: unsubscribe when unmount Question: username_0: the subscribe method already returns a unsubscribe method, why not unsubscribe it when the tag is unmounting? ```javascript let unsubscribe = subscribe.call(this, selector); this.on("unmount", ()=> unsubscribe()); ``` Status: Issue closed Answers: username_1: Good catch. Released in 0.3.2.
GiulioRossetti/cdlib
1181350997
Title: `infomap` ImportError not catched by `cdlib` crisp_partition.py in light version Question: username_0: Hi cdlib team, Thanks for fixing the import issue. **Describe the bug** ``` try: import infomap as imp except ModuleNotFoundError: missing_packages.add("infomap") imp = None ``` This does not catch `ImportError`, which is the case in my environment. **To Reproduce** Steps to reproduce the behavior: - CDlib version 0.2.6 light version **Screenshots** ![image](https://user-images.githubusercontent.com/12120524/160213574-5b2d6f19-d101-4854-b219-f5dbb2da4c0d.png) **Additional context** Add any other context about the problem here. Answers: username_1: Thanks for the fix and code cleaning, @GiulioRossetti the pull request seems OK to me...
DevExpress/testcafe
360782063
Title: File upload not working for me Question: username_0: ### Are you requesting a feature or reporting a bug? Bug ### What is the current behavior? setfilestoupload is not working ### What is the expected behavior? ### How would you reproduce the current behavior (if this is a bug)? have an input field with type field #### Provide the test code and the tested page URL (if applicable) Tested page URL: Test code ```js ``` ### Specify your * operating system: * testcafe version: * node.js version: Answers: username_1: Hi @username_0 I am afraid this information is not sufficient to find the cause of the issue. Could you please provide a page or a small example so that we can reproduce it on our side? Status: Issue closed username_1: I will close the issue because no activity has been encountered for a long time. Feel free to reopen the issue if the problem persists and you can provide an example to reproduce it.
bongnv/gokit
563655228
Title: Command handler Question: username_0: In order to support multiple sub-command for `gokit`, it would be cleaner to have an organized way to structure commands. A proposed solution: ``` // Handler includes Handle method to execute a command line. type Handler interface { Handle(args []string) } type Command struct { } // To add a sub command func (c *Command) RegisterHandler(string, Handler) { } // To handle a command line func (c *Command) Handle(args []string) { } ``` In term of usage, we would expect: ``` rootCmd = New() scaffoldCmd = New() rootCmd.RegisterHandler("scalfold", scaffoldCmd) rootCmd.Handle(os.Args[1:]) ``` Answers: username_0: We can reuse `https://github.com/google/subcommands` which is very similar. Hence closing the ticket. Status: Issue closed
DrunkDutch/comp-354
234944216
Title: Implement Proper Getter Functions for Attached Energy to Pokemon Question: username_0: Need to implement proper functions for attached energy cards for easier GUI design and checking proper energy cost Answers: username_0: Will require functions for each energy type as well as a function to get a count of all energy cards attached Status: Issue closed
NeurodataWithoutBorders/nwb-tools
1178351647
Title: ipytree Question: username_0: ```python from ipytree import Tree, Node import h5py import numpy as np def nwb_ipytree(fpath, driver=None): file = h5py.File(fpath, mode="r", driver=driver) return Tree(nodes=[add_elem(value) for value in file.values()]) def add_elem(elem, cls=Node): name = elem.name.split('/')[-1] if isinstance(elem, h5py.Group): return cls(name=name, nodes=[add_elem(value) for value in elem.values()], opened=False) elif isinstance(elem, h5py.Dataset): if elem.dtype == np.object: node = cls(name=name, icon='font', icon_style='info') else: node = cls(name=name, icon='table', icon_style='info') return node else: return cls(name) fpath = "/Users/username_0/Downloads/136_20170325_576um_360um_170325_125511_stub.nwb" nwb_ipytree(fpath) ``` <img width="264" alt="image" src="https://user-images.githubusercontent.com/844306/159746440-cc5a0aeb-e07c-4e2d-b2c6-bf1bf3e3ce39.png">
ably/ably-go
877476888
Title: Fix channel iteration methods Question: username_0: They must comply with the spec: ``` {{ iterate() -> Iterator<ChannelType> // RSN2, RTS2 }} ``` Instead, we have these: ``` {{func (ch *RealtimeChannels) All() []*RealtimeChannelfunc (c *RESTChannels) Range(fn func(name string, channel *RESTChannel) bool) {}} ```
postmanlabs/postman-app-support
149378467
Title: How to set Body with Get ? Question: username_0: curl -X GET \ -H "X-Parse-Application-Id: ${APPLICATION_ID}" \ -H "X-Parse-REST-API-Key: ${REST_API_KEY}" \ -G \ --data-urlencode 'where={"playerName":"<NAME>","cheatMode":false}' \ https://api.parse.com/1/classes/GameScore Answers: username_1: I have a similar request. Currently Postman doesn't allow you to send a body in a GET request. This is not commonly done, but as I've understood it isn't forbidden by the HTTP spec. I ran into this issue when trying to test Elastic Search queries. Elastic Search queries can contain a body in a GET request and because I can't test them with Postman I've had to look elsewhere. username_2: @username_1 This is currently blocked by the XHR object. Most Elasticsearch APIs should work if you just change the GET to POST and keep the URL the same. Status: Issue closed username_0: The params left send button solved my problem. username_3: https://github.com/postmanlabs/postman-app-support/issues/131 Reiterating: For people posting about Elastic: You can replace GET with POST and ElasticSearch will work as expected. We are replacing the underlying networking stack in Postman so that we can have more control than XHR. This is still some time away. A new Node.js based networking stack will be available soon that will help us add bodies for GET calls. username_4: The Elasticsearch API is not the only API that expects a body with a GET verb. The Magento API does as well. Unfortunately the Magento API doesn't allow you to simply replace a GET verb with a POST verb. IF you try to do that you get a route not found error from them.
sonargraph/sonar-sonargraph-integration
306782722
Title: Error parsing xml report for Sonarqube Question: username_0: I am getting an error when trying to submit sonargraph report data to sonarqube: ``` Failed to execute Sonargraph plugin for appapi [appapi] Failure: Reading Sonargraph report from: /home/paul/src/deutschlandradio/appapi/build/sonargraph/sonargraph-sonarqube-report.xml Error - Xml Validation Error. unexpected element (uri:"", local:"physicalRecursiveElement"). Expected elements are <{}sourceElement> (line:135 col:300) Error - Wrong Format. Report is corrupt ``` The versions I use: * Sonar: 6.7.2 (build 37468) * Sonargraph Integration Plugin: 3.5 * Sonargraph Plugin: 2.0.1 * Sonargraph Gradle Plugin: om.hello2morrow:sonargraph-gradle-plugin: 9.4.6, 9.5.1 or 9.6.0 (tried all three) My Gradle command line: ``` ./gradlew clean test sonargraphDynamicReport sonargraphReport sonarqube ``` While in my build.gradle: ``` sonargraphReport { reportFormat = "xml, html" prepareForSonarQube = true systemDirectory = "${project.buildDir}/appapi.sonargraph" autoUpdate = true } sonargraphDynamicReport { qualityModelFile = "Sonargraph:Java.sgqm" // default Java quality model, optional reportFormat = "xml, html" autoUpdate = true } ``` Answers: username_1: Hello Paul I think the version of sonar-sonargraph-integration you are using is outdated. Please try the current version 2.1.4 from https://github.com/sonargraph/sonar-sonargraph-integration/releases/tag/Release-2.1.4 together with sonargraph-gradle-plugin 9.6.0. Best Regards Andreas username_0: Hi Andreas, thank you very much. I gave the wrong version above... I confused the two plugins, fixed now. 2.1.4 is not available via Sonarqube already, I would have to install it manually, is 2.1.4 for Sonarqube 7 only? Will 2.1.4 get into the official plugin repositories? What's the difference between the sonargraph plugin and the sonargraph-integration plugin anyway? Do I need both? Thanks and kind regards Paul. username_1: Hi Paul The difference between "sonargraph-plugin" and "sonargraph-integration-plugin" is quite simple: "sonargraph-plugin" is for Sonargraph version 7. "sonargraph-integration-plugin" is for Sonargraph version 8+. You should use "sonargraph-integration-plugin" only, together with current version 9.6 of Sonargraph. Unfortunately version 2.1.4 of "sonargraph-integration-plugin" will not get into the official plugin repositories, but the next version planned for April will. Version 2.1.4 works with Sonarqube 5.6, 6.2, 7.0. Please see https://github.com/sonargraph/sonar-sonargraph-integration/wiki/Sonargraph-8--Integration-with-SonarQube for details. Best Regards Andreas Status: Issue closed
skial/haxe.io
219261468
Title: Haxe Roundup 379 Question: username_0: To add to the roundup todo list, use the following markdown format. ``` - [ ] optional description [link name](/link/to/item) by [Persons Name](link/to/person) ``` Answers: username_1: Expandable and sorted by themes [collection of samples](https://github.com/username_1/haxe-basics) for a novice users. username_2: Let's add @nadako's Patreon page to the sidebar as well: https://www.patreon.com/nadako And also @ianharrigan's: https://www.patreon.com/haxeui username_3: @username_2 they already are there, if you refresh the page you'll see the patreon change username_0: @username_2 @username_3 yep they are in the list, https://github.com/username_0/haxe.io/blob/master/src/data/patreons.original.json, but the detailed data hasnt been updated for months, so Dan's patreon will still show zero supporters on haxe.io for the time being. username_0: - news - [ ] Haxe Summit 2017 - https://twitter.com/haxe_org/status/849702177039929344 - [ ] dice.run - https://twitter.com/fponticelli/status/849984873783853057 - dicefont - https://twitter.com/fponticelli/status/849985007083040768 - [ ] Exilium devlog update - https://twitter.com/5Mixer/status/849941789402202113 - releases - [ ] pman prebuilt binaries - https://twitter.com/ProgrammerRyan/status/849788445681631233 - [ ] Tongs haarp renderer released - https://twitter.com/disktree/status/851004619744583680 - tutorials - [ ] Kha tutorial - https://twitter.com/lewislepton/status/849934717965279232 - [ ] HaxeFlixel tutorial - https://twitter.com/gamefromscratch/status/850014631133405184 - libs - [ ] [glue `0.1.0`](http://lib.haxe.org/p/glue) - [ ] [cosmos `0.5.0`](http://lib.haxe.org/p/cosmos) - [ ] [vscode `1.11.0`](http://lib.haxe.org/p/vscode) - [ ] [haxevx `0.7.0`](http://lib.haxe.org/p/haxevx) - [ ] [robotlegs `0.4.3`](http://lib.haxe.org/p/robotlegs) - [ ] [simplegui `0.9.0`]http://lib.haxe.org/p/simplegui) - [ ] [away3d `5.0.2`](http://lib.haxe.org/p/away3d) - [ ] [starling `1.8.9`](http://lib.haxe.org/p/starling) - [ ] [smtpmailer `0.1.0`](http://lib.haxe.org/p/smtpmailer) - [ ] [asys `0.3.0`](http://lib.haxe.org/p/asys) - [ ] [minimalcomps `0.9.1`](http://lib.haxe.org/p/minimalcomps) - [ ] [flixel-templates `2.3.1`](http://lib.haxe.org/p/flixel-templates) - [ ] [stx_tuple `0.2.2`](http://lib.haxe.org/p/stx_tuple) - [ ] [tink_testrunner `0.5.3`](http://lib.haxe.org/p/tink_testrunner) - [ ] [tink_unit `0.4.1`](http://lib.haxe.org/p/tink_unittest) - [ ] [tink_core `1.10.0`](http://lib.haxe.org/p/tink_core) - previews - [ ] HaxeUI v2 new website preview - https://twitter.com/IanHarrigan1982/status/850431507307036678 :star2: - [ ] Text mode fakery in HaxeFlixel - https://twitter.com/Uhfgood/status/849456748163465218 - [ ] Visual graph editor - https://twitter.com/Devination3D/status/849695408590737408 - [ ] Timeline parsing with accurate easing and relative transforms in HaxeFlixel - https://twitter.com/goodideaco/status/849518938534891520 - [ ] Recreation of Roxik Sharikura performance using Haxe, OpenFL and Away3D - https://twitter.com/jasonsturges/status/849504034780307456 - [ ] Send and create data from gui to engine with ElmLang and Kha - https://twitter.com/Meltingtallow/status/851249705841442816 - https://twitter.com/Meltingtallow/status/850378197199757312 - [ ] Preview of YUME game engine - https://twitter.com/kircode/status/850790016058105856 - [ ] Haxe and OpenFL port of minimalcomps - https://twitter.com/jasonsturges/status/850916632167952384 - [ ] WIP screenshot of a point and click horror game created with HaxeFlixel - https://twitter.com/PixelbearGames/status/850783225165340672 - event slides - [ ] https://twitter.com/francisbourre/status/850226080690589696 - framework updates - [ ] HaxePunk remove Flash target - https://github.com/HaxePunk/HaxePunk/pull/459 - [ ] HaxePunk Rendering GC/performance optimizations - [merged] - https://github.com/HaxePunk/HaxePunk/pull/456 - [ ] format gets a HashLink reader - https://github.com/HaxeFoundation/format/commit/e57d8e2894d9a4baab0867313c09e0b8504b9c0f Status: Issue closed
tsgrp/OpenAnnotate
356970333
Title: Search Highlighting on Document doesn't work past first couple pages Question: username_0: See below: ![oa_search_highlights_past_initial_load](https://user-images.githubusercontent.com/8784597/45056907-d19b6480-b059-11e8-893f-a61b8a9d8286.gif) Answers: username_1: @username_0 - Can you still reproduce this issue, or at least find which specific documents it applies to? username_0: @username_1 It only happens for that specific doc from what I could tell. I tested ~6 others and it worked as expected. username_1: Got it. Would you drop on link of it here for testing then? Removing "High Priority" then since it's only one doc. username_1: @username_0 - Is search still a problem on this document, or can we close this issue? username_0: @username_1 I can't find that doc on my machine. Feel free to close. Status: Issue closed
pandas-dev/pandas
615964780
Title: BUG: Question: username_0: With pandas 1.0.0 (and newer) min/max methods for groups to not work as before: ```python my_DataFrame.groupby().min() my_DataFrame.groupby().max() ``` are not working anymore - it will give you an Assertion error message with no special location in the code. You currently new to use aggregation to get this information: ```python my_DataFrame.groupby().agg('min') my_DataFrame.groupby().agg('max') ``` I could verify that ```python my_DataFrame.groupby().mean() ``` still works in newest pandas, but min/max no more for whatever reason. Would it be possible to implement these methods back again to pandas? I can confirm that my_DataFrame.groupby().max()/-min() worked properly in pandas 0.0.3. Kind regards, DK Answers: username_1: Hi and thanks for your issue. Could you please provide us with an [minimal complete viable example](https://stackoverflow.com/help/minimal-reproducible-example)? It helps us a lot if we have copy-pastable code which reproduces your problem Status: Issue closed username_0: has been fixed with pandas 1.0.3 - apoligies!
nestjs/graphql
823175562
Title: Feature request: Add support for get GraphQL Types from @prisma/client Question: username_0: <!-- PLEASE HELP US PROCESS GITHUB ISSUES FASTER BY PROVIDING THE FOLLOWING INFORMATION. ISSUES MISSING IMPORTANT INFORMATION MAY BE CLOSED WITHOUT INVESTIGATION. --> ## I'm submitting a... <!-- Please search GitHub for a similar issue or PR before submitting. Check one of the following options with "x" --> <pre><code> [ ] Regression <!--(a behavior that used to work and stopped working in a new release)--> [ ] Bug report [x] Feature request [ ] Documentation issue or request [ ] Support request => Please do not submit support request here, instead post your question on Stack Overflow. </code></pre> When I'm using @prisma/client with @nestjs/graphql it's frustrating because I have to declare the same entity in two different places. https://github.com/fivethree-team/nestjs-prisma-starter/blob/master/src/models/post.model.ts#L7 https://github.com/fivethree-team/nestjs-prisma-starter/blob/master/prisma/schema.prisma#L32 There are some solutions on the market that are willing to solve this problem, such as: https://www.npmjs.com/package/prisma-nestjs-graphql https://github.com/MichalLytek/typegraphql-prisma However, it would be very interesting to have a package like: @ nestjs / prisma-graphql Or similar on purpose to resolve this deficiency. What do you think? Answers: username_1: The idea would be to copy the way @ prisma / client deals to avoid importing files generated through the plugin. We can leave the files inside a .gitignore to avoid uploading a lot of unnecessary code and calling a module that solves this import. Example ```ts import {User} from '@ nestjs / prisma-graphql' @Mutation (() => User) async user () {} ``` or ``` import {UserGraphQL} from '@ prisma / client' @Mutation (() => UserGraphQL) async user () {} ``` Rather than ``` import {User} from '../../../prisma/user/user.model' @Mutation (() => UserGraphQL) async user () {} ``` Status: Issue closed username_2: We don't plan to implement/provide such a package (and this won't change in the foreseeable future) as there's currently no bandwidth for that. If you are interested in contributing to the community/ecosystem, consider creating it on your own and sharing it with others!
kanboard/kanboard
232012114
Title: External ressources [Feature Request] Question: username_0: A project is often linked to external ressources as support/accountable That's why it could be usefull each user (responsible) can manage a contact list to assign tasks to his contacts. Contact can be private or shared. In addition, a mail could optionnaly be sent to a contact when assigng a task. Answers: username_1: Unfortunately, I do not plan to add such feature into Kanboard. I prefer to keep the software simple, the number of features is voluntary limited. The best approach is probably to write a custom plugin. Thank you for your understanding Status: Issue closed
gbv/SignaturenDruck
419359999
Title: Add menu or button to enter format editor Question: username_0: level: low Having to remember a specific key-combination to enter the format editor is inconvenient. There should be some Button or Menu-Item for this. Answers: username_0: It seems the menu identifiers are mixed up. Choosing "Formate" opens the Mode/Submode editor and vice versa. username_0: Fixed. Thanks! Status: Issue closed
Luehang/react-paypal-button-v2
860475705
Title: [BUG] Question: username_0: It seems like upon re rendering (through prop change) the options object does not detect the new change and still renders the checkout with old props. ``` <PayPalButton options={{ clientId: clientID, currency: props.currency }} createOrder={createOrder} onApprove={onApprove} /> ``` I did an ugly hack where I am forcefully re rendering the component on props.currency change. The component re renders all right but still with the previous options . The new props.currency is not being updated in checkout.
ooni/probe
437146038
Title: Missleading error msg when security cert disabled (or missing?) Question: username_0: Ooni app could not run website blocking test as it couldn't download URL list. I eventually found this was due to the "Digital Securiy Trust" certificate being disabled on this device, but the error msg did not suggest a security certificate issue, though obvious in hindsight. ## Expected Behavior error message displayed related to security certificate if app cannot reach server to download url list to run test due to security certificate issue ## Actual Behavior Error message "Unable to download url list. Please try again" is displayed suggesting some other issue ie internet connection issue. (The website blocking test does not run as it cannot download url list.) ## Steps to Reproduce the Problem 1. Disable "Digital Securiy Trust" certificate in Android settings 2. Run Website blocking test 3. Test fails to run & internet connection error msg displayed. Note: all other tests seem to run as expected so I didn't consider security certificates at first, assumed issue was likely with ooni server ## Specifications - Version: ooni prob 2.0.3 measurement kit 0.9.3 - Platform: Android 9.0, April 2019 security patch, Essential PH-1 Answers: username_1: @username_2 @lorenzoPrimi do you have ideas as to why this may be happening? username_2: @username_1 yes: we use Android code to fetch the test lists. This is using the certificates available on Android. Unfortunately a certificate, the one we use, is disabled. Also, I agre with @username_0 that the error message is bad. I believe we should always have a real error message along with a simpler one, because it allows tech savvy people to debug quickly. I believe more in the long term we should always be using our CA for all our operations. Thanks for pointing me at to this issue! username_1: I moving this into OONI Measurements as I think it's mostly relevant to probe-engine at this point. username_2: Right. This really calls for forcing our own CA. Because the CA is relatively small, I am leaning towards an alternative approach where, rather than downloading it, we bundle is a text and install it. This implies that we should do scheduled releases of probe-engine, say, every two months, such that we are reasonable sure that the CA that we're bundling is current enough. @username_1 what do you think? username_2: We're now forcing our own CA. This does not solve the problem, though, because the code that the mobile app is using for fetching URLs still depends on the system certificate store. To make this possible we also need to further refactor and change the way in which OONI for mobile runs. username_2: However, as far as _measuring_ is concerned, the problem has now been fixed. I will keep this issue open because, strictly speaking, we have not eliminated _all_ the dependencies from system certificates, but we eliminated the ones that matter the most. username_2: On second thought, because the original issue has been _morally_ addressed, I believe it is better to close this issue in Sprint 21 _as well as_ to create a follow-up issue regarding using more Go code in the mobile apps. By always using Go code in the mobile apps for accessing OONI services we will be addressing the remaining part of this issue and also have additional benefits such as automatic fallback to different probe services, etc. Part of this work has already been specced at https://github.com/ooni/probe-engine/issues/893. username_2: The effort is `1` because there's need to take some time and create clearly specced follow-up issues. username_2: Priority is low because we just need to create follow-up issues at this point. Status: Issue closed username_2: Follow-up issue here: https://github.com/ooni/probe-engine/issues/899. Closing as explained at https://github.com/ooni/probe/issues/858#issuecomment-683617908.
pascalgn/automerge-action
595051341
Title: automerge tag not picked up when using hub CLI Question: username_0: If I use the `hub` cli the tag appears to be added straight after the PR itself is created. E.g. command `hub pull-request -l automerge -m 'Test PR' -f -p -b staging` The action I have for when the PR is created begins running immediately, and even after a couple of retries, it doesn't pickup the label, I get: ```INFO Skipping PR update, required label missing: automerge INFO Skipping PR merge, required label missing: automerge``` I have tested via the GitHub website, adding the tag at the same time the PR is created and all works nicely: `INFO PR successfully merged!` Has anyone come across this and found a way to make the two work? I've tried to see if there's a way within an action to check for labels being added, but no joy. Thanks! Answers: username_0: For anyone else that comes across this scenario, I had set the PR type to `opened` only, changing this to `labeled` triggers it when labels are added, which works perfectly! ``` on: pull_request: branches: [ staging ] types: - labeled ``` Status: Issue closed
crucibuild/sdk-agent-go
241551423
Title: Prevent Go projects builds to be broken by dependencies breaking changes Question: username_0: ### Task Since the paradigm in Go is to always use the latest version of the projects, it also means than a upstream breaking change can impact our projects without a commit yet all our builds are triggered by push only. In order to adress this issue, I propose to setup a daily cron build on all our projects. This will enable us to track breakage and fix them on a daily basis. Answers: username_0: @username_1 I just setup this in travis. Each day, sdk-agent-go and agent-go-examples will be built from scratch. Trigger a build from agent-go-example when sdk-agent-go master's is updated, would not have been a complete solution to the problem of dependencies (mainly because sdk-agent-go isn't the only dependency of the project). I think we should setup this on each of our Go projects. username_1: As far as I understand, you propose also to build the sdk every day ? Do you fear that a lib that we depends on breaks our build? username_0: Yes. This was my point. We will not have issue now because we are frequently modifying it but when it will be stabilize we should have a way to continuously test if it is okay. Status: Issue closed
wailsapp/wails
1156269021
Title: Blank screen on ubuntu 18.04 Question: username_0: **Description** I build vu3+js application on ubuntu 18.04, which is based on the template `https://github.com/misitebao/wails-template-vue`, but getting a blank screen and an error `Can't find variable: globalThis` as below when run `wails dev`.However,everything works good in windows 10. **Screenshots** ![screenshot](https://user-images.githubusercontent.com/31070831/156285828-2ccc693b-c9e0-4ffa-aacb-1091563c7fa6.png) **System Details** ```txt System ------ OS: Ubuntu Version: 18.04 ID: ubuntu Go Version: go1.17.5 Platform: linux Architecture: amd64 Package Manager: apt Dependency Package Name Status Version ---------- ------------ ------ ------- *docker docker.io Installed 17.12.1-ce gcc build-essential Installed 12.4ubuntu1 libgtk-3 libgtk-3-dev Installed 3.22.30-1ubuntu1 libwebkit libwebkit2gtk-4.0-dev Installed 2.20.1-1 npm npm Installed 6.14.16 pkg-config pkg-config Installed 0.29.1-0ubuntu2 * - Optional Dependency Diagnosis --------- Your system is ready for Wails development! ``` **Additional context** In addition,when building application,the console displays warnings: ```txt Building application for development... - No Install command. Skipping. - No Build command. Skipping. - Compiling application: # github.com/wailsapp/wails/v2/internal/frontend/desktop/linux ../../../Devenv/golib/pkg/mod/github.com/wailsapp/wails/[email protected]/internal/frontend/desktop/linux/window.go: In function ‘sendMessageToBackend’: ../../../Devenv/golib/pkg/mod/github.com/wailsapp/wails/[email protected]/internal/frontend/desktop/linux/window.go:102:22: warning: implicit declaration of function ‘JSValueToStringCopy’ [-Wimplicit-function-declaration] JSStringRef js = JSValueToStringCopy(context, value, NULL); ^~~~~~~~~~~~~~~~~~~ ../../../Devenv/golib/pkg/mod/github.com/wailsapp/wails/[email protected]/internal/frontend/desktop/linux/window.go:102:22: warning: initialization makes pointer from integer without a cast [-Wint-conversion] ../../../Devenv/golib/pkg/mod/github.com/wailsapp/wails/[email protected]/internal/frontend/desktop/linux/window.go:103:26: warning: implicit declaration of function ‘JSStringGetMaximumUTF8CStringSize’ [-Wimplicit-function-declaration] size_t messageSize = JSStringGetMaximumUTF8CStringSize(js); ^~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ ../../../Devenv/golib/pkg/mod/github.com/wailsapp/wails/[email protected]/internal/frontend/desktop/linux/window.go:105:5: warning: implicit declaration of function ‘JSStringGetUTF8CString’ [-Wimplicit-function-declaration] JSStringGetUTF8CString(js, message, messageSize); ^~~~~~~~~~~~~~~~~~~~~~ ../../../Devenv/golib/pkg/mod/github.com/wailsapp/wails/[email protected]/internal/frontend/desktop/linux/window.go:106:5: warning: implicit declaration of function ‘JSStringRelease’; did you mean ‘g_string_erase’? [-Wimplicit-function-declaration] JSStringRelease(js); ^~~~~~~~~~~~~~~ g_string_erase Done. - Packaging application: Done. ```
ros/ros-overlay
608239357
Title: ros-kinetic and ros-melodic rosbridge_library ebuilds disappeared Question: username_0: In this commit: https://github.com/ros/ros-overlay/commit/165e1756531eedecc7013ed8cc84c7ce2df3f0d4#diff-7e6c260fba0ebbef6eb045fbeab70d62 The `ros-kinetic/rosbridge_library` package has been removed from ros-overlay. And in this commit: https://github.com/ros/ros-overlay/commit/165e1756531eedecc7013ed8cc84c7ce2df3f0d4#diff-82ffafdf0817c0cc7f86c988bffe978f The `ros-melodic/rosbridge_library` package has been removed from ros-overlay. Maybe it's a matter of re-running superflore and checking if there is an error with some key... but I don't have a machine to run that right now! If someone could take a look, that would be great (my CI is broken cause of this). Answers: username_0: Re-using the ticket as it's in the same topic... In https://github.com/ros/ros-overlay/commit/165e1756531eedecc7013ed8cc84c7ce2df3f0d4#diff-21f5e1a547eeb87c4863e4cb2f413df1 rosbridge_server was deleted. It needs to be re-generated. username_1: ``` username_0: That's a weird dependency to have on kinetic, which doesn't support Python 3 (I think). I'll check later if there is a PR to add it, otherwise I may do it. username_1: I just did it, and got some more while I was at it. Should be fixed soon! Status: Issue closed
clemgoub/dnaPipeTE
477268820
Title: RepeatMasker library Question: username_0: Hi! I am installing dnaPipeTE, following all the steps and including the giri username and subscription. However, at the last installation step I got this error: ~~~~ ./test_config.sh This is the test script for dnaPipeTE *** We will test a few dependancies to be sure tha the pipeline run properly Testing Java... java version OK! Testing RepeatMasker Libraries... RepeatMasker.lib doesn't include the Repbase sequences! Follow instruction to install RepeatMasker libraries on https://github.com/username_1/dnaPipeTE ~~~~ Do you know hoe I can solve it? Thanks Answers: username_1: Hi username_0, Sorry you are encountering issues with dnaPipeTE. Repbase changed last year to turn into a subscription-based system. Since then, I had not tested how this install works, which can be an issue. In your case it seems that you are downloading something that is not a tar.gz archive. I have to go by the dnaPipeTE script to tell you more. In the mean time, you can look at the file downloaded: is it a real archive or is it an empty file? I will come back to you ASAP after I do checks on my side! Clément username_0: Hi Clément, Thanks for your prompt answer. You are right, I copied the file to another directory and tried to extract in. However I got the same result. ---------------- *tar -xvzf RepBaseRepeatMaskerEdition-20170127.tar.gz gzip: stdin: not in gzip formattar: Child returned status 1tar: Error is not recoverable: exiting now* ---------------- I downloaded the file from giri and this version can be extracted: ---------- *tar -xvzf RepBaseRepeatMaskerEdition-20181026.tar.gz Libraries/Libraries/RMRBSeqs.emblLibraries/README.RMRBSeqs* ---------- So I removed the old tar.gz and copied the new one. I configured RepeatMasker and run ./test_config.sh. I still ahve an error, but now it is different: ----------- *./test_config.sh This is the test script for dnaPipeTE *** We will test a few dependancies to be sure tha the pipeline run properlyTesting Java...java version OK!Testing RepeatMasker Libraries...RepeatMasker.lib doesn't include the Repbase sequences! Follow instruction to install RepeatMasker libraries on https://github.com/username_1/dnaPipeTE <https://github.com/username_1/dnaPipeTE>* ---------------------------- Inside the README.RMRBSeqs I saw that they have changed the libraries. Is this change previous to dnaPipeTE? ------ [Truncated] *COMPATIBILITY WITH OLDER VERSIONS OF REPEATMASKERThis library distribution involves a major shift away from a monolithic( one source ) library format and embraces the notion that libraries mayincreasingly come from multiple sources. Unfortunately this requireschanges in the library structures that will not work with previous versionsof RepeatMasker ( 4.0.6 and earlier ). We have not removed support for older libraries and versions 20140131 and on should continue to work withthe latest releases of RepeatMasker* ----- Thanks, Nuria <NAME>s username_0: Hello again, I have tried other things that didn't work, but may help you figure out a solution. In the directory /mypath/dnaPipeTE/bin/RepeatMasker/Libraries, after running init.sh (exiting with gzip error) and configure RepeatMasker I had the following files. I have checked that in RepeatMasker.lib there were 425 sequences, hence trigging the error of *test_config.sh* * (if [[ $(grep -c '>' ./bin/RepeatMasker/Libraries/RepeatMasker.lib) > 425 ]]; then echo "Repbase Libraries are properly installed!"else echo "RepeatMasker.lib doesn't include the Repbase sequences! Follow instruction to install RepeatMasker libraries on https://github.com/username_1/dnaPipeTE <https://github.com/username_1/dnaPipeTE>"fi)* *Libraries directory created automatically by init.sh and RM configure:* *total 1,6G-rw-r--r-- 1 rius rius 4,3K mag 28 2009 RepeatPeps.readme-rw-r--r-- 1 rius rius 9,9M gen 31 2014 RepeatPeps.lib-rw-r--r-- 1 rius rius 22M ago 7 2015 RepeatAnnotationData.pm-rw-r--r-- 1 rius rius 1,5G set 24 2015 Dfam.hmm-rw-r--r-- 1 rius rius 62M ago 30 2016 taxonomy.dat-rw-r--r-- 1 rius rius 17M gen 29 2017 RMRBMeta.embl-rw-r--r-- 1 rius rius 214 gen 29 2017 README.meta-rw-r--r-- 1 rius rius 208K gen 29 2017 DfamConsensus.embl-rw-rw-r-- 1 rius rius 205K ago 6 15:36 RepeatMaskerLib.embl-rw-rw-r-- 1 rius rius 127K ago 6 15:36 RepeatMasker.lib-rw-rw-r-- 1 rius rius 5,2K ago 6 15:37 RepeatMasker.lib.nin-rw-rw-r-- 1 rius rius 43K ago 6 15:37 RepeatMasker.lib.nhr-rw-rw-r-- 1 rius rius 28K ago 6 15:37 RepeatMasker.lib.nsq-rw-rw-r-- 1 rius rius 9,1M ago 6 15:37 RepeatPeps.lib.psq-rw-rw-r-- 1 rius rius 83K ago 6 15:37 RepeatPeps.lib.pin-rw-rw-r-- 1 rius rius 1,5M ago 6 15:37 RepeatPeps.lib.phr* I looked at this directory from a previous version ( v.1.2_04-2016 ) a colleague had, and copied the content into the /Libraries directory. I thought this was unlikely to work as the RepeatMasker library should be the [Truncated] > from multiple sources. Unfortunately this requireschanges in the library > structures that will not work with previous versionsof RepeatMasker ( 4.0.6 > and earlier ). We have not removed support for older libraries and > versions 20140131 and on should continue to work withthe latest releases of > RepeatMasker* > > ----- > > Thanks, > > Nuria > > > > > > <NAME> > > > El mar., 6 ago. 2019 a las 17:25, <NAME> (< username_1: Hi Nuria, Sorry for my late reply, I am currently traveling. It is possible that the new libraries does not work with this config script while being effectively installed. If you did the RM install following the instructions and this did not return any error, you might have the libraries effe installed. Did you try to run dnaPipeTE anyways? Clément username_0: Hi Clément, Sorry for the late reply, I have been trying different solutions. I got dnaPipeTE installed on a cluster I have access and this time the run with the test files exited successfully. However, the Counts.txt file showed there was no classification per Superfamilies (see below) and probably because of that the pie chart was not done. I thought it could be because of low coverage and I've tried with my human data using different combinations. The first result I've got so far, with 4 million reads and 3 samplings, yielded a similar Counts.txt file (see below). Do you know if this indicates a problem with the libraries or something else? Is there something I can check? Thanks for your help Nuria ------Test------- LTR 0 LINE 0 SINE 0 DNA 0 MITE 0 Helitron 0 rRNA 0 Low_Complexity 0 Satellite 0 Tandem_repeats 0 Simple_repeat 0 others 0 na 0 Others 0 Total 987936 ------------------ -------human data------------------ LTR 0 LINE 0 SINE 0 DNA 0 MITE 0 Helitron 0 rRNA 0 Low_Complexity 0 Satellite 0 Tandem_repeats 0 Simple_repeat 0 others 0 na 0 Others 0 Total 596461348 -------------------------------------- <NAME> username_1: Hi Nuria, Glad you made some progress with the install. What you think is very likely. Can you verify the syntax in your repbase fasta file? The format of the header must be: `>RepeatName#Class/subclass` the # is very important, and the Class and subclass names must be present in the file `new_list_of_RM_superclass_colors_sortedOK` present in your dnaPipeTE folder. Let me know if this helped, Cheers, Clément username_0: Hi Clément, In "dnaPipeTE/bin/RepeatMasker/Libraries/RepeatMasker.lib" the header is the expected one, this is an example: ">FordP_Test-1N2#DNA/hAT-Tip100 [S:] " . "dnaPipeTE/new_list_of_RM_superclass_colors_sortedOK" is the same as the one in your GitHub. Could it be something else? Thanks, Nuria <NAME> El mar., 3 sept. 2019 a las 15:36, <NAME> (< username_1: Hi! If I understand correctly you never had a pieChard and Counts working, even with a test run with test data right? Clém username_0: Exactly. Although when dnaPipeTE finishes it doesn't give errors: --------------------------------------------------------- Drawing graphs... Done Removing Trinity runs files... done Finishin time: Mon Sep 2 20:13:41 2019 ######################## # see you soon !!! # ######################## ------------------------------------------------------- username_1: I see... Can you send me your whole logs and command? username_0: Sure, Here are the commands and the logs for the test run (dnaPipeTE_2.job and nr_dna_5_2.o796095) and the run with my data (dnaPipeTE_5_2.job and nr_dna_5_2.o796095). Thanks Nuria <NAME> El jue., 5 sept. 2019 a las 15:02, <NAME> (< username_1: Hi, I'm sorry, I didn't get the files. You can email them to me at cg629 @ cornell.edu username_0: Hi Clément, let me know if you still have problems to download them. Thanks <NAME> El vie., 6 sept. 2019 a las 15:48, <NAME> (< username_1: Yes I'm sorry I didn't got anything... username_0: Hi, Do you mean you don't understand why this happened or that you didn't receive the files? Thanks anyway, Nuria <NAME> El lun., 9 sept. 2019 a las 15:28, <NAME> (< username_2: Dear Clément and Nuria, dnaPipeTE seems like a wonderful pipeline - I am really looking forward to installing it and getting it running as part of my work. Not sure if you ever got to solve this, but I did, so posting it so it is available to everyone. This was the error I got ``` 2020-12-19 22:01:46 (132 MB/s) - ‘RepBaseRepeatMaskerEdition-20170127.tar.gz’ saved [9661/9661] gzip: stdin: not in gzip format tar: Child returned status 1 tar: Error is not recoverable: exiting now ``` When I find this file, it seems empty: ``` find . | grep RepBaseRepeatMaskerEdition-20170127.tar.gz ./bin/RepeatMasker/RepBaseRepeatMaskerEdition-20170127.tar.gz ls -lah ./bin/RepeatMasker/RepBaseRepeatMaskerEdition-20170127.tar.gz -rwxrwxrwx 1 josepc posixgroup 9.5K Mar 21 2019 RepBaseRepeatMaskerEdition-20170127.tar.gz tar xvzf ./bin/RepeatMasker/RepBaseRepeatMaskerEdition-20170127.tar.gz gzip: stdin: not in gzip format tar: Child returned status 1 tar: Error is not recoverable: exiting now ``` So then I googled: "RepBaseRepeatMaskerEdition-20170127.tar.gz" and came with the following link: https://github.com/yjx1217/RMRB & did the following: ``` cd ./bin/RepeatMasker wget https://github.com/yjx1217/RMRB/raw/master/RepBaseRepeatMaskerEdition-20170127.tar.gz ## obtained from the URL above mv RepBaseRepeatMaskerEdition-20170127.tar.gz.1 RepBaseRepeatMaskerEdition-20170127.tar.gz # I do this since wget generated a "*.1" file. ``` This did not work, so I tried understanding what init.sh was doing with the repeatmask library. ``` cd ../../ grep gz init.sh ###grep result curl -k -L https://github.com/trinityrnaseq/trinityrnaseq/archive/Trinity-v2.5.1.tar.gz -o Trinity-v2.5.1.tar.gz tar -zxvf Trinity-v2.5.1.tar.gz curl -k -L ftp://ftp.ncbi.nlm.nih.gov/blast/executables/rmblast/2.2.28/ncbi-rmblastn-2.2.28-x64-linux.tar.gz -o ncbi-rmblastn-2.2.28-x64-linux.tar.gz tar -xvf ncbi-rmblastn-2.2.28-x64-linux.tar.gz rm ncbi-rmblastn-2.2.28-x64-linux.tar.gz curl -k -L ftp://ftp.ncbi.nlm.nih.gov/blast/executables/blast+/2.2.28/ncbi-blast-2.2.28+-x64-linux.tar.gz -o ncbi-blast-2.2.28+-x64-linux.tar.gz tar -xvf ncbi-blast-2.2.28+-x64-linux.tar.gz rm ncbi-blast-2.2.28+-x64-linux.tar.gz curl -k -L http://repeatmasker.org/RepeatMasker-open-4-0-7.tar.gz -o RepeatMasker-open-4-0-7.tar.gz tar -xvf RepeatMasker-open-4-0-7.tar.gz wget http://www.girinst.org/server/RepBase/protected/repeatmaskerlibraries/RepBaseRepeatMaskerEdition-20170127.tar.gz --password=$GIRINST_PASSWORD --user=$GIRINST_USERNAME mv RepBaseRepeatMaskerEdition-20170127.tar.gz RepeatMasker/ tar -zxvf RepBaseRepeatMaskerEdition-20170127.tar.gz ``` This tells me that it downloads it everytime I run the `bash ./init.sh` command. So I basically used nano and literally replaced the line: ``` wget http://www.girinst.org/server/RepBase/protected/repeatmaskerlibraries/RepBaseRepeatMaskerEdition-20170127.tar.gz --password=$GIRINST_PASSWORD --user=$GIRINST_USERNAME ``` with: ``` wget https://github.com/yjx1217/RMRB/raw/master/RepBaseRepeatMaskerEdition-20170127.tar.gz ``` and it worked. I still have some trinity issues, though - hoping to solve it soon. username_1: Dear José, I'm sorry for the delays. I recently moved from the US to Canada and cannot provide a very fast support on dnaPipeTE at the moment... Unfortunately, dnaPipeTE needs a big update... In the meantime, please DM me and I will help you with the Repbase libraries. Best, Clément username_2: Hi Clément, thank you for your answer. I managed to solve it.. was pointing out to the wrong perl/lib/path - newbie mistake! Looking forward to see that update. TEs are a fascinating part of genomics and I hope to answer many fascinating questions with dnaPipeTE :) Best, José
nyuglobalties/blueprintr
942337044
Title: Blueprint loading from file is sensitive to OS default encoding Question: username_0: Using `blueprintr:::import_blueprint_file` on different OSes yields different results. This is not expected as the file should be parsed with UTF-8. This needs to be specified to `rlang::parse_exprs`.<issue_closed> Status: Issue closed
way-of-elendil/3.3.5
600630558
Title: DPS Gargouille Question: username_0: **--- Comparatif dégâts de gargouille ---- (Full stuff s8 opti) Mon dk sous full proc : Scale 271 - Verdict 258 - Proc PA bague 480PA - 150 Force proc deuil 1k8 - 2k - sans dot https://www.twitch.tv/videos/592625278 --- Vidéo OFFICIEL ---- (Stuff s8) Arme 264 --- Proc crane à croc 2k1 à 2k6+ - Sans dot https://www.youtube.com/watch?v=jA5I7jCqyfg Y'a quand même une différence de stuff qui est énorme et les dégâts sont moindre coté WOE, Je link plus une video d'offi d'un dk full s8, trinket pvp, arme s8 ou s7 258 https://www.youtube.com/watch?v=mCCySuuk_hk** Answers: username_1: Ce rapport de bug n'est pas utile a moins de fournir les informations manquantes : - quelle stat est incorrecte et quelle est la valeur correcte - quel talents ne fonctionne pas - etc. Je ne peux pas passer 10 heures sur un pet base sur un "ressenti" de manque de degats. username_0: Ce matin je tapais du 4K + (Un peu trop) dans l'aprem c'est repasser sur du dégâts de base qui est largement nerf pour un burst de fin de template .. on ta filer les donnés la dernière fois sur les coefficient etc. -scales with all physical haste benefits at the same rate as the player -attack power coefficient is 0.4 -base damage per strike is 120 -does not inherit any crit from the player -does not inherit any +damage % modifiers from the player, such as bone shield, desecration, or blood presence En sachant que y'a toujours les problèmes de PV elle est à 9K merci d'avance username_1: Ces stats sont deja celle applique. Ce matin ca tapait a 4k (qui est pas "un peu trop") parce que j'avais tester de changer le multiplicateur de degats du sort et de le mettre a 1, ce qui clairement n'etait pas correct. Il n'y a aucune info disponible quand aux PV, donc actuellement elle prends un % des pv du DK (le meme pourcentage que la goule, sans les talents vu que les talents parlent explicitement des ghoules. username_0: Ta pas moyen d'essayer de mettre une stats inférieur a ce que t'avais mis? 2k5 - 3k dps pour un dk full stuff en fin d'extension c'est clairement plus que correct, je suis désoler d'être relou et de te faire perdre ton temps mais on trouvera pas autre chose a ce propos appart des vidéos de retail à l'époque. username_1: On change pas des donnees au piff jusqu'a ce que ca ait l'air de marcher :D username_1: Je vais changer un truc sur la vitesse de cast, au cas ou ca influe sur le dps, mais je doute que ca fasse une reelle difference. Status: Issue closed
galaxyproject/planemo
495882155
Title: publishing to toolshed breaks Question: username_0: Is there a fix for this ? Answers: username_1: @username_0 thanks for the report, we are looking into it username_0: with the testoolshed, I am atleast able to create the repository but not able to push the files and everything fails on toolshed username_1: I think we have remedied the situation, could you please retest from your side? @username_0 Status: Issue closed
zalo/CascadeStudio
712139194
Title: CSG.scad reimplemented in CascadeStudio Question: username_0: Hi Just found the project trough Hack a day, very nice! I love the idea of OpenScad but don't like the language that much, would rather have a real programming language. I implemented the CSG.scad in CascadeStudio: https://zalo.github.io/CascadeStudio/?code=09dXKErNzC3ISc1NzStJLMnMz1PIT1NwDnbXK05OTOHiCilKzCvOSSxJ1YjWNTLRMdAxNI3V4VIAgtA8oGKNaDAbBJzyKzQMTXUgqKSoNFVTBy4XXJCRWpSqYWigCRaK1eTStEYx2wDZZM%2B8ktSi4tTkEipagOp2l8y0NKD6vORUDXTjFbCaH42wIBYsCLQAAA%3D%3D&gui=q1ZKzs8tyM9LzSvxS8xNVbJSSk4sTk5MSQ3LTC1X0lHyTS3OCEotVrIy0DM0hnODEvPSgWqjDfQMDHWMYnWUnBOTM1LtlaxKikpTdZSCElMyS4F6jA1gbJgGIwMdE4PYWgA%3D Answers: username_1: I'm not an expert, but from what I see the language is JavaScript(might be actually typescript, since you might have the ability to do type annotations), which is a real programming language. You can make js functions to represent models. And use all the javascript functionality. ```js function Pipe(r, ir, h) { return Extrude(Difference(Circle(r), [Circle(ir)]), [0, 0, h]); } // Arrow functions work too const Pipe = (r, ir, h) => Extrude(Difference(Circle(r), [Circle(ir)]), [0, 0, h]); Pipe(10, 8, 100) ```
elfinlazz/lt3translation
170333895
Title: 수수께끼 150 - 풀이 Question: username_0: ![screenshot_2016-08-05-20-24-30](https://cloud.githubusercontent.com/assets/19295794/17543260/46b48614-5f0a-11e6-87bd-c80620d1766f.png) 정답! 여동생은 9살이다. 그리고 언니는 17살이다. 1년 전에는 언니가 16살이고 여동생은 8살이므로 언니 나이의 절반이었다. 그리고 1년 뒤에 언니는 18살, 여동생은 10살이 될 것이다. 18을 위아래로 나누면 둘 다 10이 된다! 로 내용과 개행 수정하면 어떨까요?<issue_closed> Status: Issue closed
dotnet/maui
993445659
Title: Difference between Paint and Brush Question: username_0: I see MAUI View has property Background of type Brush, but IView.Background is of type Paint. - What's the difference? Why 2 classes for the apparent same thing? - How can a Brush can be converted to a Paint? In a custom control I'm exposing other properties of type Brush, and I'd like to use the ToDrawable extension to have a native Android drawable, but the extension is of type Paint, so I firstly need to convert the Brush to Paint. Answers: username_1: I am not sure about the difference Brush was introduced with [Xamarin.Forms 4.8](https://docs.microsoft.com/en-us/xamarin/xamarin-forms/user-interface/brushes/), it is related to the gradient background Paint is a new class. I think it's related to the new Maui.Graphics and how to draw the components (might be similar to [SKPaint ](https://docs.microsoft.com/en-us/dotnet/api/skiasharp.skpaint?view=skiasharp-2.80.2)from SkiaSharp) But I am just guessing It seems that there is an implicit conversion from one type to the other. ![image](https://user-images.githubusercontent.com/10248860/133306736-ac8ac7d8-f752-46d8-a2b2-a7fbe5641e9e.png) Status: Issue closed username_2: Is correct. A Brush is used in the .NET MAUI Api to defines objects used to fill the interiors of graphical shapes such as rectangles, ellipses, pies, polygons, and paths, also in views background. While Paint is a new class in Maui.Graphics similar to SKPaint, holds the style and color information about how to draw geometries, etc.
SthephanShinkufag/Dollchan-Extension-Tools
55230804
Title: Реквест: подсветка линков открытых превью-постов Question: username_0: Ну т.е. щас по `:hover` подсвечивается, а хорошо бы, чтобы линк подсвечивался постоянно, пока открыто связанное с ним превью. Просто когда ответов на пост много, просматриваешь их по очереди, из открытых превьюшек бывает дальше по дереву уходишь и, когда возвращаешься к исходному посту, - не понятно какой следующий ответ смотреть. Ну или просто бывает превьюшка на весь экран растягивается с линка фокус ушел - и не понятно какой это ответ. Answers: username_0: О, спасибо, то, что надо. А можно их синенькими сделать? Ну в смысле оставить стиль от hover? username_0: Ну или доттед обводку синенькую - так лучше выделяется имхо username_1: На сосаче синенькие, на ычане красненькие. А у кого-то своя цсс и там серо-буро-малиновые с тенями и заливкой. Вы уж как-нибудь сами. username_1: Предвижу бесконечное нытье про ОНО НЕ СООТНОСИТСЯ С МОИМИ ЦЭЭСЭСИКАМИ. username_0: Ладно, ладно, понял. Я прост думал, это в кукле. Пропишу юзерстайл. А так - спасибо username_1: Да и имхо, штука полезная, сам часто теряюсь в ссылках, егда их в ответах много. Но егда оно бросается в глаза, становится *дискомфортно*. Пусть уж будет различимым, но *малозаметным*. username_1: Добавлен класс `de-link-parent`, ежели чего. Он отвечает за выделение. Status: Issue closed
ForeverFamilyFoundaton/forever-family-foundation
41649761
Title: Add "Recommended Reading, Etc." tab to left navigation bar and bottom navigation Question: username_0: We need a page where we can list books, videos,etc. with links to Amazon (where we get a donation when someone buys something - helps to pay bills!) or links to Youtube or other places. If we can set this up in a similar fashion to the way we post events to our Event page or Signs Of Life Radio Archives, that would simplify things for any volunteer that may be doing the posting. Lists will include: Book Title, Author, link. On some of these books, we have written our own reviews. If possible, can there also be a link to our review that would then also be hosted on site (either on its own page - similar to events) or as a PDF link? In addition there is another ticket in pivotal tracker for an Amazon "mouse-over" so our links become images to the viewer. We are missing that now on our pages because if I add the Amazon script to individual pages, it does not work. Apparently it needs to be added internally to the background workings of the site pages. This is what Amazon site says in their description: "To put Product Previews on your site, paste the following link enhancer script at the end of pages on which you have image only or text only product links. The code should go after your content and before your closing <body> tag. Hover your mouse over the preview above to see this great new feature." Here is Amazon script we need on all pages that have Amazon links: <script type="text/javascript" src="http://wms-na.amazon-adsystem.com/20070822/US/js/link-enhancer-common.js?tag=wwwforeverfam-20&linkId=QKXIEEQEMVP4E6BC"> </script> <noscript> <img src="http://wms-na.amazon-adsystem.com/20070822/US/img/noscript.gif?tag=wwwforeverfam-20&linkId=QKXIEEQEMVP4E6BC" alt="" /> </noscript><issue_closed> Status: Issue closed
steinbergmedia/vstgui
303278895
Title: Mac tutorial doesn't compile Question: username_0: I'm trying to use the latest vstgui 4.5 release, but can't get the mac Xcode tutorial to compile. I was able to get around some of the issues: * vstsdk2.4 was missing, so I added that * I set some compiler flags for C++11 support in the Build Settings But even after that I started encountering code issues in the tutorial - class names and constructor parameters have changed. At this point I decided to give up and ask if someone in the know could please update the tutorial code so that it works :-) I'm very new to vstgui so I need some working example code to help me use it... ^_^ Answers: username_1: Did you try to compile Again plugin from the VST3 SDK, this one use's VSTGUI too? username_0: Yes, my colleague tried compiling the tutorial in VST 3 and ran into the same issues. username_2: The tutorial in the vstgui directory is obsolete. Please use the VST3 examples as a starting point. Status: Issue closed
raster-foundry/raster-foundry
339054537
Title: COGs added to projects at first do not appear until you reload the page Question: username_0: #### Problem description When you first add a COG (like from iSERV) to a project, it doesn't appear immediately when it should. If you reload the page, it appears. Subsequently, COGs added to that project from browse do immediately appear. Answers: username_1: This is fixed Status: Issue closed
labra/ShExcala
84961281
Title: Adapt to banana-rdf Answers: username_1: It is what I am also going to do. username_1: For Shex you have a good description of abstract syntax at http://www.w3.org/2013/ShEx/Definition.html that was very useful for me when I added shex UI generation in one of my projects. Which SHACL abstract syntax description should I rely on when for porting your SHACL code to banana-rdf?
luyadev/luya-testsuite
268283719
Title: Add cms block test case Question: username_0: new cms block test case like ```php <?php namespace cmstests; class BlockTestCase extends CmsFrontendTestCase { public $blockClass; /** * @var \luya\cms\base\PhpBlock */ public $block; public function setUp() { parent::setUp(); $class = $this->blockClass; $this->block = new $class(); } public function renderFrontend() { $this->assertNotEmpty($this->block->blockGroup()); $this->assertNotEmpty($this->block->name()); $this->assertNotEmpty($this->block->icon()); $this->assertTrue(is_array($this->block->config())); $this->assertTrue(is_array($this->block->extraVars())); $this->assertFalse(is_array($this->block->renderAdmin())); $this->assertNotNull($this->block->getFieldHelp()); return $this->block->renderFrontend(); } public function renderAdmin() { $twig = new \Twig_Environment(new \Twig_Loader_Filesystem()); $temp = $twig->createTemplate($this->block->renderAdmin()); return $temp->render(['cfgs' => $this->block->getCfgValues(), 'vars' => $this->block->getVarValues()]); } public function renderAdminNoSpace() { $text = trim(preg_replace('/\s+/', ' ', $this->renderAdmin())); return str_replace(['> ', ' <'], ['>', '<'], $text); } public function renderFrontendNoSpace() { $text = trim(preg_replace('/\s+/', ' ', $this->renderFrontend())); return str_replace(['> ', ' <'], ['>', '<'], $text); } } ```
biopython/biopython
427345011
Title: confusing error message in Bio.Align Question: username_0: `Bio.Align.__init__.py` imports `Bio.Align._aligners`, which may fail if a user attempts to import `Bio.Align` from the biopython source tree. The error message warns against this: ``` try: from Bio.Align import _aligners except ImportError as e: new_exc = ImportError("{}: you should not import directly from the " "biopython source directory; please exit the source " "tree and re-launch your code from there".format(e)) ``` However, there may be other reasons why the import fails (for example, _aligners may be missing due to a failed compilation, or may have been compiled incorrectly). The warning message therefore should be rephrased to be more broad. Answers: username_1: Agreed, my fault sorry, I didn't consider this in #1736. If you would like to suggest an appropriately worded message, I can easily write a PR (or write it yourself if you prefer of course), thanks username_2: How about: "{}: you are possibly missing a compiled '_aligners.c' file (_aligners.pyd or _aligners.so); have you installed from source? Are you trying to import from within the Biopython source directory? Try running your code from outside the source tree".format(e) username_0: It should be possible to detect whether we are in the Biopython source directory or not. Ideally in Bio/__init__.py, so that any attempt to import from the source directory raises an exception. username_0: One way to do this is to check `__file__` at the beginning of `Bio/__init__.py`. If in the source tree, it will report `Bio/__init__.py` or `Bio/__init__.pyc`. Outside of the source tree, it will report the full path, e.g. `/Library/Frameworks/Python.framework/Versions/2.7/lib/python2.7/site-packages/Bio/__init__.pyc`. We could issue a warning or raise an Exception if `__file__` is a relative path. If we want to be more precise, we could look in the parent directory to see if there's a `setup.py` file. username_2: ``` No error messages at all! So maybe the error message about importing from Biopython source tree is not only confusing but possibly wrong? Can someone show me how to invoke an ```ImportError``` here by being in the Biopython source directory? username_0: Traceback (most recent call last): File "<stdin>", line 1, in <module> File "Bio/Align/__init__.py", line 22, in <module> from Bio.Align import _aligners ImportError: cannot import name _aligners ``` Perhaps you have PYTHONPATH set, causing an import from someplace outside of the source directory? username_2: ``` Also, I renamed ```_aligners.pyd``` in my *standard* Biopython installation (under pythonxxx/lib/site-packages/Bio) and, when importing from my *developing* Biopython branch, don't get an import error (so it is not imported from my *standard* Biopython). When I renamed ```_aligners.pyd``` in my developing Biopython branch, I get the import error. The same vice versa. So I only see the import error when I'm missing the compiled ```_aligners``` file, but not when I import from within the Biopython source tree. Are you sure you have a working compiled ```_aligners``` file in your /biopython-1.72 folder? username_0: ``` it will tell you which `Bio.Align` is imported. username_1: Importing from the `biopython/` directory is a known cause of `ImportError` here as noted previously by myself and other users. As username_0 said in a mailing list, `numpy` has a similar issue and this inspired my original traceback message. This Q&A has an explanation: https://stackoverflow.com/questions/14570011/explain-why-numpy-should-not-be-imported-from-source-directory username_2: ``` Your import error message 'Cannot import name _aligners' (in contrast to 'no module named _aligners') makes me thinking that something is wrong with your compiled ```aligner``` file. Whatever, I think the error message as suggested in PR #2007 is now much clearer, and I wonder, as said earlier, if we really should hassle to find out in which directory the user is actually in. username_0: I see three problems with the error message in #2007 : - We would have to put this error message in each C extension; - It doesn't warn you if it can import `_aligners` from a location other than the install directory (as in your example); - It doesn't warn you in case of pure-Python extensions. In general, I think it is not a good idea to import modules from the source or development folder, as it can cause modules to be imported from unexpected places. username_2: @username_0 So what do you suggest? I can live with having no special error message; there were C modules from the very beginning of Biopython, and it doesn't give us too much trouble. The reason why there was more noise with the introduction of ```_aligners``` is, that ```Bio.Align``` seems to be imported (directly or indirectly via ```Bio.SeqIO```) from many modules, so more people realized that there is a problem. Also, some modules with C extensions (e.g. ```pairwise2```) have a pure Python fallback in case import of the C module will fail (which was for a long time a problem when using PyPy). Finally, I think, as mentioned above, that this kind of error is only seen by people who directly install from source, and most of these should be experienced enough to know or find out what's going on. I just find the message about 'leaving the source tree' misleading, in my case I had a malformed ```_aligners.pyd``` file and it took me some time to find out that just beeing in the ```biopython``` folder (where I need to be when I want to run ```run_tests```) wasn't the real problem. username_0: @username_2 My suggestion would be to print a warning (not an Exception) if `Bio` is imported from within the source tree (and no Exception or warning in `Bio.Align`). username_2: @username_0 Coming back to your original suggestion to detect already in ```Bio/__init__.py``` if the user is in the source tree I would agree if you make it a warning instead of an exception. username_2: Seems that our comments crossed each other. I deleted my other comment, when I realized that it was missing your original point and that you already had made a suggestion. username_0: @username_3 , @username_1 Would you agree with adding a warning to `Bio/__init__.py` if it is imported from the source tree? (and removing the ImportError from `Bio/Align`)? username_3: I like the idea of a single warning in ``Bio/__init__.py`` if it is imported from the source tree. It does make sense to me to combine that with removing existing try/except to turn compiled code ``ImportError`` into a hand crafted error message. However, what about try/except to turn compiled code ``ImportError`` into a warning that slow Python code is being used instead? e.g. https://github.com/biopython/biopython/blob/biopython-173/Bio/pairwise2.py#L1105 - we can probably remove this warning if the top level warning is suitably worded? Some existing code silently drops back to slower Python code, so no change needed. e.g. https://github.com/biopython/biopython/blob/biopython-173/Bio/Nexus/Nexus.py#L1900 username_0: Not all C code has a pure-python fallback. For example, the pairwise aligner in Bio.Align._aligners has only been implemented in C. username_3: Poorly worded on my part. Those are the easy cases - they would get the new warning from ``Bio/__init__.py`` and then a (default) ``ImportError`` exception. username_2: I'm not sure about the implications, would this mean that you can use nothing from Biopython, if you are missing a single compiled C extension? This would make testing on Windows quite hard. username_2: Oh no, I understand now, a warning from Bio.__init__ and the ImportError from the respective module. username_3: Or, if there is a pure Python fallback, a warning from ``Bio/__init__.py`` and perhaps a second warning. username_1: Sorry for the delay, I just updated #2007 with a warning now raised from `Bio/__init__.py ` when there is a `setup.py` file present. Is the way to check for the source tree appropriate? Is the wording of the warning precise enough? Was there a consensus on whether or not to remove the custom `ImportError` message in `Bio/Align/__init__.py`? username_3: @username_1 I think we have agreement: @username_0 suggested the ``Bio/__init__.py`` warning and also removing the ``Bio/Align/__init.py`` error, https://github.com/biopython/biopython/issues/1991#issuecomment-483152926 - and I agree that seems sensible. @username_2: ? username_2: I'm in two minds about this. I can agree, but I also think that it cannot harm to have a more explicit `ImportError` message in those cases where a non-compiled C file may be the reason for the failed import. Of course we needn't to repeat the 'Biopython source-tree' stuff. Or we could mention 'missing compiled C extensions' in the general warning. username_3: I would like the top level warning to specifically mention C extensions not working if importing from the source tree. username_3: Closed via #2007 Status: Issue closed
biati-digital/glightbox
483326853
Title: Embed youtube video's from 'www.youtube-nocookie.com' Question: username_0: A client of mine requires youtube embeds to be requested from 'www.youtube-nocookie.com/......' instead of 'www.youtube.com/.......'. With the current options it's not possible to do this. I can't find a way (in the youtube dev docs) to do this by adding a parameter. It looks to me like this is not possible. Can this possibly be included in the options? **Maybe something like this**: `const youtubeUrl = this.settings.youtube.nocookie ? 'www.youtube-nocookie.com' : 'www.youtube.com';` `const videoUrl = '${protocol}://${youtubeUrl}/embed/${youtubeID}?${yparams}';` I'd love to here from you if this if something that can be included. Answers: username_1: Sure, i think the nocookie should be the default, i'll implement this change and let you know when the update is ready to download. username_0: Nice! Thanks for the quick response! username_2: Is this maybe a good opportunity to get some outside help? I'd be more than happy to take a swing at it username_0: Thanks @username_1 ! We'll give it a try in the next upcoming project!
betagouv/mon-entreprise
608419686
Title: Navigation dans la documentation cassée Question: username_0: **Reproduction :** * Aller sur https://mon-entreprise.fr/documentation/contrat-salari%C3%A9/vieillesse * Cliquer sur « Assiette des cotisations sociales » **L'erreur dans la console :** ``` Warning: React has detected a change in the order of Hooks called by Algorithm. This will lead to bugs and errors if not fixed. For more information, read the Rules of Hooks: https://fb.me/rules-of-hooks Previous render Next render ------------------------------------------------------ 1. useContext useState ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ ``` J'ai l'impression que le problème est la fonction `makeJsx()` qui n'est pas un vrai composant React, mais fait appel à des hooks, et pas toujours les mêmes lors de la navigation d'une page à l'autre. Peut-être que le bug vient d'ailleurs, j'ai l'impression que ça a été introduit récemment.<issue_closed> Status: Issue closed
pytorch/vision
615790584
Title: Dimension out of range (expected to be in range of [-1, 0] on transforms.py boxes.unbind(1) Question: username_0: ## 🐛 Bug ## To Reproduce Steps to reproduce the behavior: 1. Create Dataset object ``` class OwnDataset(torch.utils.data.Dataset): def __init__(self, root, annotation, transforms=None): self.root = root self.transforms = transforms self.coco = COCO(annotation) self.ids = list(sorted(self.coco.imgs.keys())) def __getitem__(self, index): # Own coco file coco = self.coco # Image ID img_id = self.ids[index] # List: get annotation id from coco ann_ids = coco.getAnnIds(imgIds=img_id) # Dictionary: target coco_annotation file for an image coco_annotation = coco.loadAnns(ann_ids) # path for input image path = coco.loadImgs(img_id)[0]['file_name'] # open the input image img = Image.open(os.path.join(self.root, path)) # number of objects in the image num_objs = len(coco_annotation) # Bounding boxes for objects # In coco format, bbox = [xmin, ymin, width, height] # In pytorch, the input should be [xmin, ymin, xmax, ymax] boxes = [] for i in range(num_objs): xmin = coco_annotation[i]['bbox'][0] ymin = coco_annotation[i]['bbox'][1] xmax = xmin + coco_annotation[i]['bbox'][2] ymax = ymin + coco_annotation[i]['bbox'][3] boxes.append([xmin, ymin, xmax, ymax]) boxes = torch.as_tensor(boxes, dtype=torch.float32) # Labels (In my case, I only one class: target class or background) labels = torch.ones((num_objs,), dtype=torch.int64) # Tensorise img_id img_id = torch.tensor([img_id]) # Size of bbox (Rectangular) areas = [] for i in range(num_objs): areas.append(coco_annotation[i]['area']) areas = torch.as_tensor(areas, dtype=torch.float32) # Iscrowd iscrowd = torch.zeros((num_objs,), dtype=torch.int64) # Annotation is in dictionary format my_annotation = {} my_annotation["boxes"] = boxes my_annotation["labels"] = labels my_annotation["image_id"] = img_id [Truncated] OS: Ubuntu 18.04.3 LTS GCC version: (Ubuntu 7.5.0-3ubuntu1~18.04) 7.5.0 CMake version: version 3.12.0 Python version: 3.6 Is CUDA available: Yes CUDA runtime version: 10.1.243 GPU models and configuration: GPU 0: Tesla P100-PCIE-16GB Nvidia driver version: 418.67 cuDNN version: /usr/lib/x86_64-linux-gnu/libcudnn.so.7.6.5 Versions of relevant libraries: [pip3] numpy==1.18.4 [pip3] torch==1.5.0+cu101 [pip3] torchsummary==1.5.1 [pip3] torchtext==0.3.1 [pip3] torchvision==0.6.0+cu101 [conda] Could not collect ## Additional context Answers: username_1: Hi, This is a similar issue as https://github.com/pytorch/vision/issues/2192 and as such I'm closing this issue. Let me know if you have further issues. Also, looks like the code is very similar to the one in that issue, does it come from a tutorial somewhere? Status: Issue closed username_2: @username_1 the code apears to be comming from this tutorial : https://medium.com/fullstackai/how-to-train-an-object-detector-with-your-own-coco-dataset-in-pytorch-319e7090da5 I am also having a similar issue
zooniverse/front-end-monorepo
425064556
Title: [RFC] Reorganizing MST structure in classifier stores Answers: username_1: Nesting `steps` under `workflow` makes total sense to me. I'm going to have a look around for more articles on designing a state object, but for now, redux's docs are quite good: https://redux.js.org/recipes/structuring-reducers/normalizing-state-shape Status: Issue closed
elsa-workflows/elsa-core
864779475
Title: Activity description not displayed when Activity created using IActivityTypeProvider Question: username_0: Connected with my question in #875. I've finished writing my first shot at creating `Activity` using `IActivityTypeProvider`, code provided below. It displays in designer and executes OK :). The only problem I still have is that the Activity description, `Test activity description`, is not displayed in the designer. ![NoActivityDescription](https://user-images.githubusercontent.com/7658839/115697225-aa594900-a363-11eb-97af-b863c304939c.png) Could you please help if I did something wrong, or....? Thank you. using System; using System.Collections.Generic; using System.Threading; using System.Threading.Tasks; using Elsa; using Elsa.ActivityResults; using Elsa.Design; using Elsa.Exceptions; using Elsa.Expressions; using Elsa.Metadata; using Elsa.Services; using Elsa.Services.Models; using Microsoft.Extensions.DependencyInjection; using Microsoft.Extensions.Logging; namespace Test { public interface IDictionaryActivity : IActivity { public IDictionary<string, object> Properties { get; } } public class TestActivity : Activity, IDictionaryActivity { public IDictionary<string, object> Properties { get; } = new Dictionary<string, object>(); private readonly ILogger<TestActivity> _logger; public TestActivity(ILogger<TestActivity> logger) { _logger = logger; _logger.LogInformation("Test activity constructor"); } protected override async ValueTask<IActivityExecutionResult> OnExecuteAsync(ActivityExecutionContext context) { _logger.LogInformation("Test activity OnExecuteAsync"); _logger.LogDebug(GetPropertyString("FirstProperty")); _logger.LogDebug(GetPropertyString("SecondProperty")); _logger.LogDebug(GetPropertyString("ThirdProperty")); _logger.LogDebug(GetPropertyString("FourthProperty")); return Done(); } private string GetPropertyString(string name) { object ret; [Truncated] var providers = activityExecutionContext.WorkflowExecutionContext.WorkflowBlueprint.ActivityPropertyProviders.GetProviders(activity.Id); if (providers == null) return; foreach (var provider in providers) { try { var value = await provider.Value.GetValueAsync(activityExecutionContext, activityExecutionContext.CancellationToken); activity.Properties[provider.Key] = value; } catch (Exception e) { throw new CannotSetActivityPropertyValueException($@"An exception was thrown whilst setting '{activity?.GetType().Name}.{provider.Key}'. See the inner exception for further details.", e); } } } } } Answers: username_0: I have found the solution for missing description. I've been confused with the existence of `DisplayName` and `Description` in both `ActivityType` and `ActivityDescriptor`. When I set them on both it works (previously I only had it on `ActivityType`). Full code is below. **Can you please comment/explain difference in `ActivityType` and `ActivityDescriptor` and where should what be set? In addition if you see anything in my solution that I should not be doing, please shout :)** Thank you very much for good work, sorry it took me so long to figure out this :). public interface IDictionaryActivity : IActivity { public IDictionary<string, object> Properties { get; } } public class TestActivity : Activity, IDictionaryActivity { public IDictionary<string, object> Properties { get; } = new Dictionary<string, object>(); private readonly ILogger<TestActivity> _logger; public TestActivity(ILogger<TestActivity> logger) { _logger = logger; _logger.LogInformation("Test activity constructor"); } protected override async ValueTask<IActivityExecutionResult> OnExecuteAsync(ActivityExecutionContext context) { _logger.LogInformation("Test activity OnExecuteAsync"); _logger.LogDebug(GetPropertyString("FirstProperty")); _logger.LogDebug(GetPropertyString("SecondProperty")); _logger.LogDebug(GetPropertyString("ThirdProperty")); _logger.LogDebug(GetPropertyString("FourthProperty")); return Done(); } private string GetPropertyString(string name) { object ret; if (!Properties.TryGetValue(name, out ret)) ret = "missing"; return $"{name} = {(ret == null ? "null" : ret.ToString())}"; } } public class TestActivityTypeProvider : IActivityTypeProvider { public ValueTask<IEnumerable<ActivityType>> GetActivityTypesAsync(CancellationToken cancellationToken = default) { return new(new ActivityType[] { CreateTestActivityType() }); } private ActivityType CreateTestActivityType() { List<ActivityPropertyDescriptor> properties = new List<ActivityPropertyDescriptor>(); properties.Add( new ActivityPropertyDescriptor( "FirstProperty", typeof(string), // property type [Truncated] { var providers = activityExecutionContext.WorkflowExecutionContext.WorkflowBlueprint.ActivityPropertyProviders.GetProviders(activity.Id); if (providers == null) return; foreach (var provider in providers) { try { var value = await provider.Value.GetValueAsync(activityExecutionContext, activityExecutionContext.CancellationToken); activity.Properties[provider.Key] = value; } catch (Exception e) { throw new CannotSetActivityPropertyValueException($@"An exception was thrown whilst setting '{activity?.GetType().Name}.{provider.Key}'. See the inner exception for further details.", e); } } } } username_0: This could be closed if someone can provide a bit of explanation between Description and DisplayName that both existi in ActivityType and in ActivityDescriptor. Which one is used for what? Are they duplicate? username_0: You are probably right, my sample was written for Elsa 2.0 and I haven't updated either sample or code to new changes. Thanks for pointing out! @sfmskywalker is it enough that I add `StoreAppliedValuesAsync` in my `SetActivityPropertiesAsync` or is the change needed more complex?
MineList/Issues
74248287
Title: 서버 상태 이미지 PC버전에서 확인 불가문제. Question: username_0: 안녕하세요. 마인리스트를 운영하고 있습니다. 다름이 아닌 현재 마인크래프트 서버 상태 이미지가 모바일에서는 정상적으로 보이는데 PC에서는 보지이 않는 현상이 발견되여 이렇게 올립니다. 빠른 시일내로 수정되었으면 합니다.. Answers: username_1: 어떤 서버에서 오류가 발생하는지와 https://minelist.kr/cdn-cgi/trace 에 뭐라고 표시되를 알려주세요. Status: Issue closed username_1: 문제가 해결되었습니다.
pippyn/Home-Assistant-Sensor-Afvalbeheer
629180986
Title: Meerlanden seems to not working Question: username_0: It looks like Meerlanden is nog working, or at least for me: ![image](https://user-images.githubusercontent.com/28273279/83522125-80dfc680-a4e0-11ea-8f1c-f936e46b2a14.png) ![image](https://user-images.githubusercontent.com/28273279/83522170-96ed8700-a4e0-11ea-8916-697870e50aa0.png) My config: - platform: afvalbeheer wastecollector: meerlanden resources: - restafval - gft - papier - pmd postcode: xxxxxx streetnumber: xx upcomingsensor: 1 Answers: username_1: any errors in the log? username_0: The supervisor and core log have no errors username_0: example postcode: 1433ac 3 username_1: hmm for me it's working fine: ![image](https://user-images.githubusercontent.com/7591990/83525355-27c66180-a4e5-11ea-9bb8-8141deab4431.png) Does the kalender give the correct info? https://inzamelkalender.meerlanden.nl/modules/800bf8d7-6dd1-4490-ba9d-b419d6dc8a45/kalender/ username_1: With your example address the logs say: "Address not found". I'll look into this issue. Did the sensor used to work for you? username_0: Thanks for checking, it is first time i am using this sensor. username_2: it's also not working for me. (no error in the log). I do get my information when I manually enter my zipcode and house number in the link provided by username_1. username_1: I'm unable to find a fix. But I did find a work around (added in v4.5.0). 1. Go to https://inzamelkalender.meerlanden.nl/modules/800bf8d7-6dd1-4490-ba9d-b419d6dc8a45/kalender/ 2. Enter your postcode and streetnumber 3. Click "Volgende" 4. Look at the url, for 1433ac 3 it looks like this: https://inzamelkalender.meerlanden.nl/modules/800bf8d7-6dd1-4490-ba9d-b419d6dc8a45/kalender/calendar.html?1000088827&Schweitzerstraat---3%20%20%20---1433AC---Kudelstaart---Aalsmeer 5. Copy the code after `calendar.html?` and before `&`. In this example it's `1000088827` 6. Add the option `addressid` to you config (postcode and streetnumber are required to!): ``` - platform: afvalbeheer wastecollector: Meerlanden resources: - gft - restafval - takken postcode: 1433ac streetnumber: 3 addressid: 1000088827 ``` Let me know if it works! Status: Issue closed username_0: Awesome, it works now.
MicrosoftDocs/cpp-docs
512661315
Title: test for metadata set globally Question: username_0: Hello! --- #### Document Details ⚠ *Do not edit this section. It is required for docs.microsoft.com ➟ GitHub issue linking.* * ID: d310125d-c556-88aa-05ad-bc695360b89d * Version Independent ID: e4a9c9d6-8f16-8540-6a4c-55f37c593b9d * Content: [ARM Assembler Command-Line Reference](https://docs.microsoft.com/en-us/cpp/assembler/arm/arm-assembler-command-line-reference?view=vs-2019) * Content Source: [docs/assembler/arm/arm-assembler-command-line-reference.md](https://github.com/Microsoft/cpp-docs/blob/master/docs/assembler/arm/arm-assembler-command-line-reference.md) * Product: **visual-cpp** * Technology: **cpp-masm** * GitHub Login: @username_1 * Microsoft Alias: **corob** Answers: username_1: @username_0 Hello! Just testing? Status: Issue closed username_0: Yes - I'll close it. :)
cdominik/cdlatex
749440214
Title: cdlatex in combination with orgmode, yasnippets and/or company Question: username_0: Hi, I used cdlatex a few years ago for writing tex documents. Now, some years later I am having a slightly different setup based on spacemacs and writing the documents in orgmode using company and yasnippets. I would like to combine orgmode with company, yasnippets and cdlatex. So in orgmode I would like to activate cdlatex only in math regions. And the best setup (1.) would complete any available cdlatex snippet, before any yasnippet and before everything else. But I would be happy if a simpler approach works as well, e.g.: (2.) Turn off company and yasnippets in a math region completely (3.) Turn off only company in a math region completely I found the doom setup from benneti, which seems to do exactly this: https://cloud.tissot.de/gitea/benneti/dotfiles/src/branch/master/.config/doom/custom Unfortunately, I am not able to transfer it to the spacemacs settings :-( Does anyone have some hints how to achieve the three different setups? That would be great! Thank you in advance! Fab<issue_closed> Status: Issue closed
PaddlePaddle/Paddle
304218636
Title: PaddlePaddle什么时候支持Python3 Question: username_0: 最近这个问题我在社区被问得比较多,所有我想问一下, 1. PaddlePaddle是否有支持Python3的计划,如果有,大概什么时候会支持呢? 2. 如果没有,是否有其他的原因嗯? Answers: username_1: Paddle的开发以及feature的支持会划分优先级,如果社区对Python3的需求很高,我们可以重新规划开发任务,优先支持。 Status: Issue closed username_0: @username_1 好的,我了解了。他们对Python3的要求也不是很高,试试偶尔会问到。谢谢~ username_2: https://github.com/PaddlePaddle/VisualDL/pull/286 能类似搞吗?
codeformiyazaki/m-tsunami-ios
541420289
Title: 避難所のデータ更新 Question: username_0: 前回校正したデータを元に作ったgeojsonを使って作ります。 https://raw.githubusercontent.com/code4miyazaki/geojson/master/hinanzyo.geojson この5種類とウェブカメラ(ii-nami.com)、マンホールトイレは一旦隠します。 ``` ・指定緊急避難場所(地震発生時の一時避難場所) ・指定緊急避難場所(津波発生時の一時避難場所) ・指定緊急避難場所(津波避難ビル) ・指定避難所 ・指定避難所兼指定緊急避難場所 ``` 付加情報が多いので、表示する方法があるか?検討します。 Answers: username_0: こちらは、枠内の5種類と、ウェブカメラの計6種類を掲載することにしました。付加情報としては、収容人数と(存在する場合)MHトイレの基数を表示しています。iOSはアイコン画像待ちの状態です。Androidの対応もあるので、一応まだオープンにしておきます。 Status: Issue closed username_0: よく考えたら Android は別のリポジトリでした。ということで、イシューを引越ししました。 https://github.com/codeformiyazaki/m-tsunami-android/issues/23
deep-learning-indaba/Baobab
693516640
Title: Off centre presentation of titles on some browsers (web) Question: username_0: ![Off centre](https://user-images.githubusercontent.com/43542098/92277738-f00bf300-eef3-11ea-930b-ab8648f72141.png) Answers: username_1: Can you confirm which browser(s) this is happening on? username_0: Yes - Manjaro operating system with a Mozilla Firefox browser. This is the only instance reported out of 8 testers username_0: I just tested this on Firefox on Ubuntu and it has the same off centre presentation of the "Welcome to Baobab". It works fine in Chrome username_1: This still occurs on a number of pages, still need to go through all pages in Firefox to see which ones and ideally update some global style to correct it. At the very least, the centered and left aligned components should be consistent between Chrome and Firefox
polincdev/ShaderBlowEx
760233467
Title: Request: Toon Water Shader Question: username_0: Hi @polincdev Can you please port this toon water shader (made with Unity) to the ShaderBlowEx to use in JME? https://roystan.net/articles/toon-water.html Code: https://github.com/IronWarrior/ToonWaterShader
bakpakin/Fennel
1120636844
Title: lisp syntax? wouldn't it be lisp dialect? Question: username_0: it would be more appropriate to replace `syntax` with `dialect` Answers: username_1: Well, Fennel compiles down to Lua, does not add any extra semantics, so it's just Lua with lisp `syntax`. Though, Lua is sometimes referred to as Scheme with Pascal syntax, so you might say that Fennel makes Lua a lisp `dialect`, haha.
fsprojects/SQLProvider
241381639
Title: I can't insert a row in a Postgresql table. I get a "Method 'System.Transactions.TransactionScope..ctor' not found." Question: username_0: at FSharp.Data.Sql.Providers.PostgresqlProvider.FSharp-Data-Sql-Common-ISqlProvider-ProcessUpdates (System.Data.IDbConnection con, System.Collections.Concurrent.ConcurrentDictionary`2[TKey,TValue] entities, FSharp.Data.Sql.Transactions.TransactionOptions transactionOptions) [0x0001e] in <595cce87de6dfdbfa745038387ce5c59>:0 at <StartupCode$FSharp-Data-SqlProvider>.$SqlRuntime.DataContext.f@1-44 (FSharp.Data.Sql.Runtime.SqlDataContext __, System.Data.IDbConnection con, Microsoft.FSharp.Core.Unit unitVar0) [0x00001] in <595cce87de6dfdbfa745038387ce5c59>:0 at FSharp.Data.Sql.Runtime.SqlDataContext.FSharp-Data-Sql-Common-ISqlDataContext-SubmitPendingChanges () [0x00024] in <595cce87de6dfdbfa745038387ce5c59>:0 ### Related information * Used database: Postgresql * Operating system: OS X Sierra * SQLProvider 1.1.5, from nuget * Mono with target framework: 4.6.1 Answers: username_1: That's weird, why wouldn't Mono transactions work... Can you try this: http://fsprojects.github.io/SQLProvider/core/odbc.html#DTC-Transactions ```fsharp let ctx = sql.GetDataContext( { Timeout = TimeSpan.MaxValue; IsolationLevel = Transactions.IsolationLevel.DontCreateTransaction }) ``` username_1: Can you add reference to System.Transactions.dll? System.Transactions is used to ensure that if you have multiple updates to submit, they either success or fail totally, not partially. username_0: I'll try it. Give me a couple hours. username_0: I got the same error. Please let me know if you need me to perform other configurations or if you need more info about my setup. username_1: Had similar issue with our Travis build server. Fixed when updated to Mono 5. Can you update to Mono 5? username_1: Adding a reference to System.Transactions.dll to your project could help.
sveltejs/svelte-preprocess
715362258
Title: Used components not Question: username_0: **Describe the bug** As you can see in the screenshot below, the Svelte VSCode extension does not see that `Router` and `Nested` are used inside `<Template>`. It does however detect that `routes` was used. ![screenshot](https://user-images.githubusercontent.com/11315492/95163804-f4545600-07a8-11eb-9eca-085bc5c8c4b2.png) This issue is also mentioned when running `svelte-check`, so it's not caused by the text editor. My guess is that this is an issue with svelte-preprocess, but may very well be something else. **To Reproduce** Use a component inside a `<template lang='pug'>` block. **Information about your project:** - Your operating system: macOS 10.14.6 - `svelte-preprocess` version 4.4.2 - Bundler: Svite/Vite Answers: username_1: Hey @username_0 👋 This seems to be a duplicate of #207 username_0: @username_1 I don't think it is, because in that issue the problem is variables created by Pug. In this case, the variable is created in TypeScript username_0: @username_1 Got any thoughts on this issue? username_0: @username_1 Would love to know what could be done about this. Svelte's Pug support seems quite spotty considering the invalid warnings and errors it generates. Perhaps there should be a note about this if it's not something that's likely to improve anytime soon. username_1: Hey @username_0 👋 Unfortunately there's not much I can do from this side (see https://github.com/sveltejs/svelte-preprocess/issues/207#issuecomment-677452657). A comment about the semi-support for pug could be nice, yeah! username_0: @username_1 I don't quite understand. Is the issue that Pug can't be compiled synchronously? username_2: The problem is that pug does not provide source maps by itself, and that the source mapper we use is asynchronous. We also cannot know which other preprocessors people might mix in, and those could be asynchronous. username_0: @username_2 But why would a source map be needed to tell if a component is used or not? I would think that source maps are useful when you have an error and you want to show it in the right place, but not when you have an error that shouldn't exist. username_2: You can turn off diagnostics and not get false errors that way. We could also investigate turning off diagnostics if we detect pug in the template. username_0: @username_2 What are the source maps needed for in this case?
pagehelper/Mybatis-PageHelper
604599325
Title: 目前PageHelper支持delete语句么?试了startPage和offsetPage都不work Question: username_0: - [ ] 我已在 [issues](https://github.com/pagehelper/Mybatis-PageHelper/issues) 搜索类似问题,并且不存在相同的问题. ## 异常模板 ### 使用环境 * PageHelper 版本: 4.1.0 * 数据库类型和版本: mySql 5.8 * JDBC_URL: useUnicode=true&characterEncoding=utf8&allowMultiQueries=true&zeroDateTimeBehavior=CONVERT_TO_NULL&autoReconnect=true&useSSL=false ### SQL 解析错误 #### 分页参数 ```java PageHelper.startPage(1, 10); xxMapper.deleteByExample(model); ``` #### 原 SQL ```sql select * from xxx where xxx = xxx ``` #### 期望的结果: ```sql delete from xxx where xxx = xxx limit 10 ``` ### 完整异常信息 ``` 异常信息放在这里 ``` ### 其他类型的错误 ## 功能建议 详细说明,尽可能提供(伪)代码示例。 Answers: username_1: 不支持 Status: Issue closed
xenia-project/game-compatibility
332112398
Title: - Sniper: Ghost Warrior Question: username_0: [Marketplace](https://marketplace.xbox.com/en-US/Product/Sniper-Ghost-Warrior/66acd000-77fe-1000-9115-d802435907d1) Tested on (https://github.com/xenia-project/xenia/commit/d124e1761897e681d0cd530fa979167dc0a5c910) # Issues: Game starts up fine. Goes through the opening intro videos. Can start game and getting ingame view is blocked by a blackscreen (The games 'fade in effect') # Log: [xenia.log](https://github.com/xenia-project/game-compatibility/files/2099401/xenia.log) # Screenshot(s): ![](https://user-images.githubusercontent.com/7039665/41370642-19ca8d0e-6f40-11e8-8489-d64cbe407139.png) ![](https://user-images.githubusercontent.com/7039665/41370643-19e6fe62-6f40-11e8-8d8c-5380c152e798.png) ![](https://user-images.githubusercontent.com/7039665/41370645-1a042afa-6f40-11e8-91f3-788b8d852568.jpg) ![](https://user-images.githubusercontent.com/7039665/41370646-1a2139a6-6f40-11e8-8312-8807218833a3.png) ![](https://user-images.githubusercontent.com/7039665/41370647-1a3d6180-6f40-11e8-87c0-512c32973b39.png) # Labels: state-gameplay, gpu-corrupt-drawing
ddangelov/Top2Vec
734691301
Title: [Installation Issue] Unable to install dependencies Question: username_0: I have windows 10, python 3.6, x64 I get following error when I do 'pip install top2vec' ERROR: Could not find a version that satisfies the requirement tensorflow-text (from top2vec) (from versions: none) ERROR: No matching distribution found for tensorflow-text (from top2vec) Answers: username_1: My understanding is that currently tensorflow-text isn't available for windows, see #44 for more details. There is a fix coming that will make this dependancy optional. This will allow you to install `top2vec` but you will not be able to use the `universal-sentence-encoder` options. Status: Issue closed
SebastiaanBuwalda/PhaserSnake
181683309
Title: Redelijk hard gekoppeld Question: username_0: Je hebt feedback gekregen van **username_0** op: ```c cursors.left.isDown || listenToSwipes==true&&swipeFunctions.returnSwipeDirection()=="left" ``` URL: https://github.com/SebastiaanBuwalda/PhaserSnake/blob/master/snakegame/Scripts/inputHandler.js Feedback: Je koppelt nu vrij hard aan mogelijke inputs. Als je naar nog meer inputs wilt luisteren dan wordt dit wel een erg grote if. Dit zou je ook met losse objecten moeten kunnen oplossen. Ik zou deze check ook uit de movement houden. De SRP van movement is het moven opzich. Niet het luisteren naar input.[](http://www.studiozoetekauw.nl/codereview-in-het-onderwijs/ '#cr:{"sha":"3f85ad614e2a19569dc82fa31196c46ae3762bde","path":"snakegame/Scripts/inputHandler.js","reviewer":"username_0"}')
ClusterLabs/fence-agents
550667872
Title: Does 'alias' need to match hostname Question: username_0: https://github.com/ClusterLabs/fence-agents/blob/7ca2b6e4fc63f4cfb30c5408165f89239112dc4b/lib/fencing.py.py#L870 When the 'alias' and hostname of my VM are different, I failed to execute 'crm node fence node1', and then found the prompt "attrd: info: corosync_node_name: Unable to get node name for nodeid 1084759809 " in "/var/log/pacemaker.log" , when the two are the same, it can be executed correctly, so I guess whether this has anything to do with hostname. Another problem is that when the user specifies 'alias' as containing Chinese, the following statement "print (outlet_id + options ["-separator "] + alias)" will report an error, which is related to the encoding method of Python2, Do I need to restrict users to English? Answers: username_1: You need to map the hostnames to VM-names if they are different. See `pcmk_host_map` here for more info: https://clusterlabs.org/pacemaker/doc/en-US/Pacemaker/2.0/html-single/Pacemaker_Explained/index.html#_special_node_attributes The agents use UTF-8 by default, so I guess it wont support Chinese characters currently.
stomita/sformula
718865971
Title: TEXT() should not respect the scale in number/ field Question: username_0: Currently the TEXT() removes digits from the target field value if the field is number/currency/percent type, which is different from the behavior of Salesforce. Salesforce always put all digits if it is stored as so (this will not happen when entered from UI, but happens when inserted from API). Status: Issue closed Answers: username_0: Currently the TEXT() truncates digits according to the scale property in the number/currency/percent field, which is different from the behavior of Salesforce. Salesforce always put all digits if it is stored as so (this will not happen when entered from UI, but happens when inserted from API). Status: Issue closed
josefnpat/roguecraft-squadron
215788058
Title: Redo SFXR sfx Question: username_0: All the sfx that are candidates for being replaced can be found here: https://github.com/username_0/roguecraft-squadron/tree/master/src/assets/sfx I would prefer to keep the voiceovers as is. Answers: username_0: All the sfx that are candidates for being replaced can be found here: https://github.com/username_0/roguecraft-squadron/tree/master/src/assets/sfx I would prefer to keep the voiceovers as is. username_0: 74cd2e15924a84b1f6e277223b44ba7d39dc7b18 username_0: Waiting for audio guy Status: Issue closed
sunpy/sunpy
655996285
Title: py38_conda builds broken Question: username_0: I think we need https://github.com/astropy/pytest-remotedata/pull/40 to make it into a `pytest-remotedata` release to fix this: ``` 2020-07-13T15:52:03.5347368Z [gw3] linux -- Python 3.8.3 /home/vsts/work/1/s/.tox/py38-conda/bin/python 2020-07-13T15:52:03.5347725Z 2020-07-13T15:52:03.5347972Z item = <Function test_lfu_cache> 2020-07-13T15:52:03.5348197Z 2020-07-13T15:52:03.5348515Z def pytest_runtest_setup(item): 2020-07-13T15:52:03.5348786Z 2020-07-13T15:52:03.5349168Z > if StrictVersion(pytest.__version__) < StrictVersion("3.6"): 2020-07-13T15:52:03.5349544Z 2020-07-13T15:52:03.5350229Z ../../.tox/py38-conda/lib/python3.8/site-packages/pytest_remotedata/plugin.py:65: 2020-07-13T15:52:03.5350897Z _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ 2020-07-13T15:52:03.5351642Z ../../.tox/py38-conda/lib/python3.8/distutils/version.py:40: in __init__ 2020-07-13T15:52:03.5352083Z self.parse(vstring) 2020-07-13T15:52:03.5352562Z _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ 2020-07-13T15:52:03.5353062Z 2020-07-13T15:52:03.5353729Z self = <[AttributeError("'StrictVersion' object has no attribute 'version'") raised in repr()] StrictVersion object at 0x7f594c70f0a0>, vstring = '6.0.0rc1' 2020-07-13T15:52:03.5354144Z 2020-07-13T15:52:03.5354453Z def parse (self, vstring): 2020-07-13T15:52:03.5354779Z match = self.version_re.match(vstring) 2020-07-13T15:52:03.5355134Z if not match: 2020-07-13T15:52:03.5355646Z > raise ValueError("invalid version number '%s'" % vstring) 2020-07-13T15:52:03.5356264Z E ValueError: invalid version number '6.0.0rc1' 2020-07-13T15:52:03.5356562Z 2020-07-13T15:52:03.5357049Z ../../.tox/py38-conda/lib/python3.8/distutils/version.py:137: ValueError ``` Answers: username_1: Hmm I cannot seem to reproduce this locally username_2: The build on master seems to have recovered from this error but is still broken. ``` FAILED ../../.tox/py38-conda/lib/python3.8/site-packages/sunpy/image/tests/test_transform.py::test_rotation[-270.0-1] FAILED ../../.tox/py38-conda/lib/python3.8/site-packages/sunpy/map/tests/test_mapbase.py::test_rotate FAILED ../../.tox/py38-conda/lib/python3.8/site-packages/sunpy/image/tests/test_transform.py::test_rotation[-90.0--1] - assert False FAILED ../../.tox/py38-conda/lib/python3.8/site-packages/sunpy/image/tests/test_transform.py::test_rotation[-360.0-0] FAILED ../../.tox/py38-conda/lib/python3.8/site-packages/sunpy/image/tests/test_transform.py::test_rotation[-90.0-3] FAILED ../../.tox/py38-conda/lib/python3.8/site-packages/sunpy/instr/tests/test_iris.py::test_iris_rot FAILED ../../.tox/py38-conda/lib/python3.8/site-packages/sunpy/image/tests/test_transform.py::test_scale[0.5] FAILED ../../.tox/py38-conda/lib/python3.8/site-packages/sunpy/image/tests/test_transform.py::test_scale[0.25] FAILED ../../.tox/py38-conda/lib/python3.8/site-packages/sunpy/image/tests/test_transform.py::test_rotation[90.0-1] FAILED ../../.tox/py38-conda/lib/python3.8/site-packages/sunpy/image/tests/test_transform.py::test_scale[0.75] FAILED ../../.tox/py38-conda/lib/python3.8/site-packages/sunpy/image/tests/test_transform.py::test_scale[1.25] FAILED ../../.tox/py38-conda/lib/python3.8/site-packages/sunpy/image/tests/test_transform.py::test_rotation[360.0-0] FAILED ../../.tox/py38-conda/lib/python3.8/site-packages/sunpy/image/tests/test_transform.py::test_scale[1.5] FAILED ../../.tox/py38-conda/lib/python3.8/site-packages/sunpy/image/tests/test_transform.py::test_all[180-20-50-1.5] FAILED ../../.tox/py38-conda/lib/python3.8/site-packages/sunpy/image/tests/test_transform.py::test_all[90--100-40-0.25] FAILED ../../.tox/py38-conda/lib/python3.8/site-packages/sunpy/image/tests/test_transform.py::test_all[-90-40--80-0.75] FAILED ../../.tox/py38-conda/lib/python3.8/site-packages/sunpy/image/tests/test_transform.py::test_scale[1.0] ``` Status: Issue closed
iCrawl/discord-vscode
809565530
Title: Breaks after Discord reload Question: username_0: Version 5.0.0 and over no longer function properly if you reload Discord while it's connected. It says it's connected even if Discord is not running at all which is concerning. **Steps to reproduce:** - open Discord and VSCode - let RPC connect - CTRL + R in Discord It used to disconnect when you did that, now it says it's always connected. Disable, enable, stop, start, reconnect commands do nothing to fix it, only a complete window reload fixes it. Answers: username_1: This should be fixed in 5.2.2 Status: Issue closed
litmuschaos/litmus
684240119
Title: Graphql's CreateWorkflow API integration with frontend Question: username_0: - Currently, GraphQL API is working to accept create workflow request which will be sent to the subscriber. - Need to integrate with createChaosWorkFlow API with frontend Schema ``` input ChaosWorkFlowInput { workflow_manifest: String! cronSyntax: String! workflow_name: String! workflow_description: String! weightages: [WeightagesInput!]! isCustomWorkflow: Boolean! project_id: ID! cluster_id: ID! } type ChaosWorkFlowResponse { workflow_id: String! cronSyntax: String! workflow_name: String! workflow_description: String! isCustomWorkflow: Boolean! } type Mutation { createChaosWorkFlow(input: ChaosWorkFlowInput!): ChaosWorkFlowResponse! } ``` Answers: username_1: Thank you @username_0. Let me raise PR for our current work will start that once it is done. username_0: closing by this PR- https://github.com/litmuschaos/litmus/pull/1834 Status: Issue closed
mozilla/sccache
576105980
Title: clang intermittently crashes with sccache on Windows 10 Question: username_0: This is what I'm seeing when configuring, intermittently: ``` 0:07.53 checking for ccache... C:/Users/sasch/.mozbuild/sccache/sccache.exe 0:07.60 checking for the target C compiler... C:/Users/sasch/.mozbuild/clang/bin/clang-cl.exe 0:07.78 checking whether the target C compiler can be used... yes 0:07.78 checking the target C compiler version... 9.0.1 0:08.08 checking the target C compiler works... no 0:08.08 DEBUG: <truncated - see config.log for full output> 0:08.08 DEBUG: | 0:08.08 DEBUG: | ; 0:08.08 DEBUG: | return 0; 0:08.08 DEBUG: | } 0:08.08 DEBUG: Executing: `C:/Users/sasch/.mozbuild/sccache/sccache.exe C:/Users/sasch/.mozbuild/clang/bin/clang-cl.exe --driver-mode=cl -Xclang -std=gnu99 -c 'c:\users\sasch\appdata\local\temp\conftest.vmiwcj.c'` 0:08.08 DEBUG: The command returned non-zero exit status 254. 0:08.08 DEBUG: Its error output was: 0:08.08 DEBUG: | Stack dump: 0:08.08 DEBUG: | 0.Program arguments: /builds/worker/toolchains/clang/bin/clang -cc1 -triple x86_64-pc-windows-msvc19.11.0 -emit-obj -mrelax-all -mincremental-linker-compatible -disable-free -disable-llvm-verifier -discard-value-names -main-file-name conftest.vmiwcj.c -mrelocation-model pic -pic-level 2 -mthread-model posix -relaxed-aliasing -fmath-errno -masm-verbose -mconstructor-aliases -munwind-tables -target-cpu x86-64 -mllvm -x86-asm-syntax=intel -D_MT -flto-visibility-public-std --dependent-lib=libcmt --dependent-lib=oldnames -stack-protector 2 -fms-volatile -fdiagnostics-format msvc -dwarf-column-info -momit-leaf-frame-pointer -coverage-notes-file /prefix/disk-C/Users/sasch/Documents/GitHub/gecko-dev/obj-x86_64-pc-mingw32/conftest.vmiwcj.gcno -resource-dir /builds/worker/toolchains/clang/lib/clang/9.0.1 -internal-isystem /builds/worker/toolchains/clang/lib/clang/9.0.1/include -fdebug-compilation-dir /prefix/disk-C/Users/sasch/Documents/GitHub/gecko-dev/obj-x86_64-pc-mingw32 -ferror-limit 19 -fmessage-length 0 -fno-use-cxa-atexit -fms-extensions -fms-compatibility -fms-compatibility-version=19.11 -fdelayed-template-parsing -fobjc-runtime=gcc -fdiagnostics-show-option -std=gnu99 -faddrsig -o /prefix/disk-C/users/sasch/appdata/local/temp/conftest.vmiwcj.obj -x c /prefix/disk-C/users/sasch/appdata/local/temp/conftest.vmiwcj.c 0:08.08 DEBUG: | 1.<eof> parser at end of file 0:08.08 DEBUG: | 2.Code generation 0:08.08 DEBUG: | clang: error: unable to execute command: Segmentation fault 0:08.08 DEBUG: | clang: error: clang frontend command failed due to signal (use -v to see invocation) 0:08.08 DEBUG: | clang version 9.0.1 0:08.08 DEBUG: | Target: x86_64-pc-windows-msvc 0:08.08 DEBUG: | Thread model: posix 0:08.08 DEBUG: | InstalledDir: /builds/worker/toolchains/clang/bin 0:08.08 DEBUG: | clang: note: diagnostic msg: PLEASE submit a bug report to https://bugs.llvm.org/ and include the crash backtrace, preprocessed source, and associated run script. 0:08.08 DEBUG: | clang: error: unable to make temporary file: No such file or directory 0:08.08 DEBUG: | clang: note: diagnostic msg: Error generating preprocessed source(s). 0:08.10 ERROR: Failed compiling a simple C source with the target C compiler 0:08.14 *** Fix above errors and then restart with\ 0:08.14 "./mach build" 0:08.18 mozmake.EXE: *** [client.mk;115: configure] Error 1 ``` That `clang: error: unable to make temporary file: No such file or directory` occurs intermittently. Setting a manual `TMPDIR` doesn't help, what can I try? Answers: username_0: I create my new Windows account and somehow this disappeared. Status: Issue closed
stratis-storage/project
443377661
Title: Would like to eliminate junky-looking HTML in Jenkins title Question: username_0: Looks like this is in progress, so I'll put it back in May. Answers: username_1: It looks like it's posting the HTML of a hyperlink to the pull request, with the PR's title as the "TITLE" tag contents, and the URL to the PR as the "HREF" contents. However, most of the time, the hyperlink is too long, and is ellipsized, and it's not rendering as HTML in this specific view. username_0: Looks like this is in progress, so I'll put it back in May. username_1: The "Build description template" for the jobs handling the devicemapper-rs, stratis-cli, and stratisd repositories has been changed to the following: ``` PR #$pullId: $title -- $url ``` This will result in the build history's abbreviated description looking like this, for an example PR that I created: ``` PR ​#283: ​blackbox: ​update ​README ​stratis_cert.py ​example ​block ​devices ​--... ``` The page for that specific build will have the pull request URL. Status: Issue closed
hoangcva/my_blog
180806191
Title: Thanks! Question: username_0: Hi @hoangcva, thanks for the submission! Looks like you haven't updated the README with the required tasks. Can you update the README with what you've done. In addition, make sure that you complete at least the required features? Please ask for help at our [public chat room](https://gitter.im/coderschool/prework) if you have any questions. Good luck! Answers: username_0: Hi @hoangcva, good to see your updates! Some final suggestions: - Please use more meaningful commit messages. See http://chris.beams.io/posts/git-commit/ - Your Heroku URL in the README isn't correct - There's javascript error on heroku. This is due to a bug in bootstrap 4. You'd have to include tether (follow bootstrap 4's instruction in their README) ![](https://dl.dropboxusercontent.com/spa/vkwvskbavc27sn4/amix-_07.png) - Consider adding [model validations](http://guides.rubyonrails.org/active_record_validations.html) (e.g. validating presence of title) - You can add the search feature by doing something like this: http://railscasts.com/episodes/37-simple-search-form -- however, this video uses old Rails syntax. You'd want to use Active Record `.where` method instead. - Edit page is ugly. Style textbox and button with bootstrap class names (not just in your index page) We will make final decisions tomorrow. Feel free to update your repo based on some suggestions above (it will help!) username_0: Hi @hoangcva, just checking in. Your submission is almost good enough. Can you push some updates if you still want to be considered for the class :)
strapi/strapi
1183607548
Title: graphql + role & permissions broken interaction Question: username_0: <!-- Hello 👋 Thank you for submitting an issue. Before you start, please make sure your issue is understandable and reproducible. To make your issue readable make sure you use valid Markdown syntax. https://guides.github.com/features/mastering-markdown/ Please ensure you have also read and understand the contributing guide. https://github.com/strapi/strapi/blob/master/CONTRIBUTING.md#reporting-an-issue --> ## Bug report Hey! I was absolutely shocked not to find a single issue (open or closed) referencing `resolverConfig`. Was there a purge? Is it that much of an unpopular feature? I found it to be quite trivial to need to define 1 or 2 not-crud resolvers in even a small application. ### Required System information <!-- Please ensure you are using the Node LTS version (v14 or v16) --> <!-- Strapi v3 is not supported unless it is a critical/high security issue --> - Node.js version: 14.19.1 - NPM version: 6.14.16 - Strapi version: 4.1.5 - Database: postgres - Operating system: win10 ### Describe the bug The bug is quite simple. the `auth` option in `resolveConfig` is either entirely ignored, or the docs are confusing 😅 makes me suspect that none of the other options work either. ### Steps to reproduce the behavior 1. add the `graphql` addon 2. Go to `src/index,js` 3. Add any mutation 4. configure it to have `auth: false` 5. try to run that mutation from the `/graphql` playground ### Expected behavior Actually disable the auth for public custom resolvers :) ### Screenshots ![image](https://user-images.githubusercontent.com/22598347/160431262-d3672437-0989-4761-9cf7-42c629bb5bfd.png) ### Code snippets example config ```ts register({ strapi }) { const extension = { [Truncated] resolve() { return "good!"; }, }), ], resolverConfig: { "Mutation.sendOrders": { auth: false, }, }, }); strapi.plugin("graphql").service("extension").use(extension); }, ``` ### Additional context This makes strapi unusable for anything bigger than a trivial crud graphql CRM. I don't mind trying to solve this myself, but I need direction. Answers: username_1: Hi, thanks for taking the time to open an issue. Could you try replacing `resolverConfig` with `resolversConfig` and let me know if it fixes your issue? **Related documentation**: https://docs.strapi.io/developer-docs/latest/plugins/graphql.html#extending-the-schema username_0: ugh, I feel so dumb. Thats 2h down the drain 😭 Man, types would have really been appreciated to avoid making a clown out of myself.. This can be closed 😓 Status: Issue closed
oshi/oshi
591619333
Title: OSHI 5.0 plans Question: username_0: I'm currently working through a complete audit of the codebase for thread safety, annotating classes appropriately. I'm finding and fixing a few problems along the way. However, there are an entire set of classes that I won't be able to fix: the non-interface classes with setters on them like HWDiskStore, HWParition, NetworkIF, OSFileStore, and OSProcess. I'd like to make these interfaces instead of classes and moving fields that need to be updated into the subclasses. That will also allow easier access to the updating code that has to figure out the OS to branch off to the appropriate updating code. Since removing the setters is API-breaking, it deserves a major version bump. However, I don't expect any other major changes, so my plan is to do as much as I can first and release a functionally-equivalent 4.x release (probably 4.6.0) and then shortly afterwards make the setter-removal changes and move to 5.0.0. (I can also remove other deprecated code in the process.) If anyone else has any API-breaking ideas, now's the time to submit them. Answers: username_0: In addition to removal of setters, there are multiple API methods which return arrays. Other than a 0-length array, there is no way to prevent multiple threads from modifying the elements of an array, so these are inherently not threadsafe. I'm trying to remember why the array vs. list choice was made earlier, as it had originally been my intent to switch to Lists in OSHI 4. I think it had to do with serialization, that we've now done away with. Anyway, another API change will be to replace the array return values with UnmodifiableLists. username_1: Will version 5.0.0 be java 9+ compatible? username_0: It should be 8+ compatible. If you know of any incompatibilities with later versions please do let me know. username_1: Is version 4.0.0 already compatible with java9+ . I have a project i want to port from java8 to java11. I haven't yet test if oshi works on it but are there any reports that it works or not? haven't found any reference username_0: Our regular testing tests on JDKs 8, 11, 13, 14, and 15 with no issues. 4.6.0 would have been a problem with Java 9's modules, but that was fixed in 4.6.1. 5.x isn't actually going to be that much different than the existing 4.x code, just a few minor API changes. username_1: ok thanks! i will give it a shot and report back to you ;) Status: Issue closed
MicrosoftDocs/windows-itpro-docs
660016872
Title: 哪里有开货运费发票-本地宝 Question: username_0: 哪里有开货运费发票-本地宝开票【█1 З 5-电-ЗЗ45-嶶-З429█】杨生【σσ/V信1З00█507█З60】正规税务业务代理.100%真-票此.信.息.永.久.有.效” 实体公司开/详情-项.目.齐.全 可先开验。无需打开直接联系点击上方“百度快照”现场曝光!美准航母烧了4天还冒烟 飞机洒水1500次(原标题:美"准航母"烧了4天还冒烟,直升机洒水1500次,现场曝光)海外网7月16日电 美国海军“好人理查德”号两栖攻击舰烧了四天,火还没灭。军方15日曝光了救援现场的最新画面。据今日俄罗斯消息,“好人理查德”号自7月12日爆炸起火至今,消防人员一直在持续进行灭火工作。美国海军在15日的一份声明中说,为了抑制大火蔓延,直升机已经洒水超过1500次,较大的火焰已经被熄灭。目前,消防人员正在全力以赴,扑灭军舰闷烧的个别地点。目前共有63人受伤并接受治疗,其中包括40名船员和23个平民。美海军表示,尽管发生大火和爆炸,船体还是避免了无法弥补的损害,并称“燃油箱没有受到威胁,船体稳定,结构安全。”<issue_closed> Status: Issue closed
pascalabcnet/pascalabcnet
285136797
Title: Очень странная ошибка с default Question: username_0: Модуль: ``` unit TestData; type t1=record private class _Empty := default(t1); //public X,Y:integer;//никак не влияет end; t2=record public X,Y:t1; end; end. ``` Основная программа: ``` uses TestData; begin бла_бла_бла; end. ``` Компилятор будет очень долго думать и в итоге выдаст: ![image](https://user-images.githubusercontent.com/27270190/34444528-6ed8250e-ecd7-11e7-9886-2a1450501837.png) При этом `бла_бла_бла;` будет проигнорировано. Но если после этого убрать `uses TestData;` - напишет сразу несколько раз `test.pas(4) : Неизвестное имя 'бла_бла_бла'`.
jenkins-x/jx
405404114
Title: --helm3 regression Question: username_0: ### Summary This worked a couple of days ago, but now using `--helm3=true` on install or create cluster attempts to use `helm` binary which fails ### Steps to reproduce the behavior jx install --helm3=true ### Expected behavior Uses helm3 binary ### Actual behavior Uses helm binary ### Jx version The output of `jx version` is: ``` NAME VERSION jx 1.3.819 jenkins x platform 0.0.3313 Kubernetes cluster v1.10.11-eks kubectl v1.13.2 helm client v2.11.0+g2e55dbe helm server v2.12.2+g7d2b0c7 git git version 2.19.1 Operating System Mac OS X 10.14.1 build 18B75 ``` (didn't happen on this already installed cluster - it failed on creating a new one, and then installing on that newly created cluster) ### Jenkins type <!-- Select which Jenkins installation type are you using. --> - [ ] Classic Jenkins - [ x] Serverless Jenkins ### Kubernetes cluster <!-- What kind of Kubernetes cluster are you using & how did you create it? --> jx create terraform ### Operating system / Environment <!-- In which environment are you running the jx CLI? --> MacBook Pro Answers: username_0: ``` ➜ clusters git:(master) ✗ jx install --prow=true --gitops=true --tls-acme=true --vault=true --recreate-existing-draft-repos=true --helm3=true Using helmBinary helm with feature flag: none ? Cloud Provider gke Git configured for user: <NAME> and email <EMAIL> Using helm3 Skipping tiller helm installed and configured ? No existing ingress controller found in the kube-system namespace, shall we install one? Yes Installing using helm binary: helm ``` username_0: `ln helm3 helm` works for now username_0: actually, `ln` will only get you so far as eventually it tries to run `--client-only` and crashes as it doesn't exist in the helm3 bin username_1: @jstrachan I am wondering if we should remove `helm3` options in favour of `no-tiller`. We can avoid some confusion. We should use `helm3` only when it gets officially released. username_0: fine with me - was just playing with it - would you like me to close this ticket?
ShoryuDZ/MainSite
543176315
Title: Update Front Page and Footer Question: username_0: Footer link to YouTube no longer works. Also, home page descriptions are phrased weirdly, and menu looks strange. DONE: - Home page items are rephrased and are relevant to their links - Make menu reliant on the size of the text, rather than a fixed width - Remove link to youtube from all pages footers Answers: username_0: https://github.com/username_0/MainSite/commit/85ce8efd827e9b13adb34b719a863b66107f9a7a Status: Issue closed
demand-driven-open-data/ddod-intake
89646509
Title: Core Data Set: ICD patterns to go with the CPT patterns Question: username_0: This is a dataset that DocGraph considers to be "basic". It is the ICD patterns, aggregated per NPI, (i.e. diagnosis codes) to go along with the CPT code data release (per NPI) that has already been released.. Answers: username_0: Thoughts @cornstein? Can you endorse? username_1: @username_0, could you elaborate on what is meant by "core data set"? This articular use case refers to provider utilization data, but with ICD instead of CPT, right? Could you identify the specifications: fields needed, level of aggregation, time period, refresh rate, etc. username_2: @username_0, checking in on above questions username_2: Specifications documented here: http://hhs.ddod.us/wiki/Use_Case_38 username_3: @username_0 We wanted to check in again on the specifications around this request, or if you have already submitted a FOIA request for this data. Thanks.
weecology/NEON_crown_maps
577382787
Title: Tree Fall Detector Question: username_0: Criteria for a tree fall: * A drop in height of more than X meters? * An absence of a polygon prediction in that space? * A change in polygon centroid of more than x meters? Trying to capture what happens if a neighbor tree grows into the space. Perhaps just pull out a 100 examples of criteria one and get a sense for the false positives. @marconiS Answers: username_0: Written the initial code https://github.com/weecology/NEON_crown_maps/blob/master/analysis.py Status: Issue closed
laterpay/laterpay-wordpress-plugin
45729277
Title: Lightbox (jquery fancybox) is not working in paid content Question: username_0: Images are not opened in a lightbox, but in a new window, if they are within the paid content of a post. It IS working in the teaser content though. I checked the markup and found the problem: the class "fancybox" is removed, if the image is rendered within paid content. Answers: username_1: I find out that this isn't problem with "fancybox" class, but with modified image link processing in lightbox plugins. username_1: Basically fix for such issues already implemented from our side (added param "ext" in encrypted file url). List of most popular WP lightbox plugins that: a) Work fine with encrypted images without modifications: 1. WP Lightbox 2; 2. FooBox Free Image Lightbox; b) Can work with encrypted images after modification: 1. Simple Lightbox ( via filter usage ); 2. Huge IT lightbox ( extend jquery.colorbox plugin ); 3. Wp Jquery Lightbox ( extend jquery.lightbox plugin ); c) Can't work with encrypted images and not support modifications: 1. Lightbox Plus Colorbox username_1: @username_2 @username_0 Please provide list of plugins which we should support. username_2: @username_1 Is that still relevant or can I close this issue? I'm asking because in the meantime, we had a release, so it might already be resolved. username_1: @username_2 I think situation is the same. But as you can see most part of popular lightbox plugins for WP working fine with our plugin (by default or with modifications). username_1: @username_2 Could you please close this issue if we had no more reports from customers? We feagured out during investigate that most of these problems can be solved via filters or js extends and not depends from Laterpay plugin realisation. Status: Issue closed username_2: @username_1 No, we didn't receive further complaints, so I'll close this for the moment, thank you!
streamich/nano-css
470667776
Title: Remove leading space Question: username_0: Firstly, great work on this library! It's the smallest and most performant CSSinJS solution that I have found so far! Is there any way to remove the leading space from the generated class name other than always having to manually trim them? I feel like it would be easier for those using in React concatenating to just add a space. Whenever I try to use it with `classList.add` on a normal element, it blows up because of the leading space.
Abbey311/Student_Store
925314487
Title: Project Feedback! Question: username_0: Thank you for submitting the **Student Store** assignment! We have graded your work, and it looks like the following features are not reflected on your GIF walkthrough: - A Store model should handle all data management logic for the API and be the interface for read/write operations to the JSON file. - No products are added to cart. - Total amount is not shown calculated. - Each product should have an individual page that shows the details of the product. You may refer to this [sample video](https://youtu.be/lpOr3Iligbs) on how to submit your assignment. In order for us to count these towards your submission, please record another GIF that captures these features. Once you do, please push your updates and submit your assignment again through the course portal within 48 hours from the posted deadline so that we can regrade it. Please note that this will count toward one of your 3 allowable 48 hour extensions to submit an assignment. Reach out with any questions or concerns!
kalexmills/github-vet-tests-dec2020
757879702
Title: jenkins-x/godog-jx: vendor/k8s.io/apiextensions-apiserver/test/integration/basic_test.go; 5 LoC Question: username_0: [Click here to see the code in its original context.](https://github.com/jenkins-x/godog-jx/blob/0356a497646daf975194088d1f68d132be5521b0/vendor/k8s.io/apiextensions-apiserver/test/integration/basic_test.go#L662-L666) <details> <summary>Click here to show the 5 line(s) of Go which triggered the analyzer.</summary> ```go for _, a := range createdList.Items { if e := instances[a.GetNamespace()]; !reflect.DeepEqual(e, &a) { t.Errorf("expected %v, got %v", e, a) } } ``` </details> Leave a reaction on this issue to contribute to the project by classifying this instance as a **Bug** :-1:, **Mitigated** :+1:, or **Desirable Behavior** :rocket: See the descriptions of the classifications [here](https://github.com/github-vet/rangeclosure-findings#how-can-i-help) for more information. commit ID: <PASSWORD><issue_closed> Status: Issue closed
square/workflow-kotlin
779669526
Title: Provide a mechanism for LayoutRunners to track changes to particular rendering values between update passes Question: username_0: Expensive view configuration often only needs to be performed when a value coming in from the rendering or the view environment _changes_. Sometimes these values need to be remembered across config changes or process death. Custom Views and Compose both have mechanisms for doing this, but LayoutRunner does not. Until we can deprecate LayoutRunner, we should provide some way to do this. Answers: username_0: One particular use case for this is tracking events that are send from the workflow to the view by changing IDs, e.g. for showing toasts.
pingpong-shige/Python_practice
588306468
Title: VBA参考 Question: username_0: Public strTargetPath As String Public wbTemplate As Workbook Public DataFrame_当月_重複なし As Variant Public DataFrame_スタッフ_重複なし As Variant Public strFileName_Tool As String Public strSheetName_Tool_Togetsu_支社 As String Public strSheetName_Tool_Tosyu_支社 As String Public strSheetName_Tool_Suii_支社 As String Public strSheetName_Tool_Togetsu_代理店 As String Public strSheetName_Tool_Tosyu_代理店 As String Public strSheetName_Tool_Suii_代理店 As String Public strSheetName_Tool_Togetsu_運営法人 As String Public strSheetName_Tool_Tosyu_運営法人 As String Public strSheetName_Tool_Suii_運営法人 As String Public strSheetName_Tool_Togetsu_拠点 As String Public strSheetName_Tool_Tosyu_拠点 As String Public strSheetName_Tool_Suii_拠点 As String Public strSheetName_Tool_Staff As String Public strSheetName_Tool_filtered_当月 As String Public strSheetName_Tool_filtered_当月_重複なし As String Public strSheetName_Tool_filtered_運営法人 As String Public strSheetName_Tool_filtered_運営法人_重複なし As String Public strSheetName_Tool_filtered_スタッフ As String Public strSheetName_Tool_filtered_スタッフ_重複なし As String Public strFilePathAndName_Template As String Public strFileName_Template As String Public strSheetName_Template_Togetsu_支社 As String Public strSheetName_Template_Tosyu_支社 As String Public strSheetName_Template_Suii_支社 As String Public strSheetName_Template_Togetsu_代理店 As String Public strSheetName_Template_Tosyu_代理店 As String Public strSheetName_Template_Suii_代理店 As String Public strSheetName_Template_Togetsu_運営法人 As String Public strSheetName_Template_Tosyu_運営法人 As String Public strSheetName_Template_Suii_運営法人 As String Public strSheetName_Template_Togetsu_拠点 As String Public strSheetName_Template_Tosyu_拠点 As String Public strSheetName_Template_Suii_拠点 As String Public strSheetName_Template_Staff As String Public strSheetName_Template_Out1 As String Public strSheetName_Template_Out2_代理店 As String Public strSheetName_Template_Out2_運営法人 As String Public strSheetName_Template_Out2_拠点 As String Public strSheetName_Template_Out3_代理店 As String Public strSheetName_Template_Out3_運営法人 As String Public strSheetName_Template_Out3_拠点 As String Public strSheetName_Template_Out4_代理店 As String Public strSheetName_Template_Out4_運営法人 As String Public strSheetName_Template_Out4_拠点 As String Public strSheetName_Template_Out5_代理店 As String Public strSheetName_Template_Out5_運営法人 As String Public strSheetName_Template_Out5_拠点 As String Public strSheetName_Template_Out6_代理店 As String Public strSheetName_Template_Out6_運営法人 As String Public strSheetName_Template_Out6_拠点 As String Public strSheetName_Template_Out7 As String Public strSheetName_Template_Out8 As String Public strSheetName_Template_OutPDF As String [Truncated] Else With objFso.CreateTextFile(strFile) .WriteLine Now() & " : " & pStrMsg .Close End With End If EXIT_PROC: On Error Resume Next Set objFso = Nothing Exit Sub ERR_PROC: MsgBox Err.Number & ":" & Err.Description, vbCritical, TOOL_NAME Resume EXIT_PROC End Sub
Antergos/antergos-packages
432221566
Title: leaseweb tier1 mirrors antergos rsync module missing Question: username_0: The leaseweb tier1 mirrors (ie. rsync://mirror.nl.leaseweb.net/antergos/ etc) doesn't seem to carry the antergos RSYNC module anymore, we haven't been able to sync since 2019-03-28. Due to this we're changing ftp.acc.umu.se #177 to update from rsync://rsync.mirrorservice.org/repo.antergos.com/ instead. I would strongly recommend to designate some more tier1 mirrors, PM me if you want ftp.acc.umu.se to sync from repo.antergos.com and provide this.
bolt/core
707258103
Title: Frontend shows wrong dates Question: username_0: Output in frontend is different from input from a datefield. I have a custom datefield, like this: ``` enddate: type: date mode: date label: Datum t/m ``` In my template I have this: `{{ record.enddate|localdate(format='D j M Y') }}` The outputted date is a day off. I.e.: Input date in backend: `October 16, 2020` Output in frontend: `Do. 15 okt. 2020` Bob said earlier that it could have something to do with the way dates are stored in the MySQL database. I can provide a 'working' (read: malfunctioning) example when needed. A dirty fix in your templates: add 2 hours like this: `{{ (record.enddate ~ '+ 2 hours')|localdate(format='D j M Y') }}` --- Bolt version: 4.0.0 RC 43 * Install type: Composer install * Database: mysql 5.5.5-10.2.32-MariaDB - 127.0.0.1 via TCP/IP (with JSON) * PHP version: 7.3.22 * Symfony version: v5.1.5 * Operating System: Linux - 2.6.32-042stab136.1 Answers: username_1: Did you set timezone in `config/bolt/config.yaml`? Status: Issue closed username_0: No I did not. Didn't even know that was a thing. config.yaml refers to http://php.net/manual/en/timezones.php (should be updated to https btw). My guess is, the `timezone: UTC` rule is commented out by default. Looks like this is an undocumented feature. In my case I want Europe/Amsterdam time. Can I just add `timezone: Europe/Amsterdam` to my config.yaml? username_1: @username_0 deleted my comment ´cause i have same issue. With the config set i fixed another part - mixed that up. Have the two hours difference, too
mkeeter/antimony
341949229
Title: Adding to the Windows and macOS package managers Question: username_0: I just checked the [Repology page of Antimony](https://repology.org/metapackage/antimony/versions), there are some Linux distros (Arch/AUR, Fedora and nixOS) which have the app but no macOS or Windows ones. It would be a great help if you could make the HomeBrew and Chocolaty formulas at least. P.S. If I'm not mistaken nix package manager is extendable to macOS too. Answers: username_1: As Chocolatey (understandably) only deals with pre-built software, someone would need to host Windows binaries of Antimony. Would it be possible to include Windows binaries on the release page? I know this would complicate the build process which is currently done manually as it seems. Hence, I'd suggest also integrating continuous integration/builds on Travis CI (for *nix) and AppVeyor (for Windows). username_0: Chocolatey, is not the only package manager on Windows. There are also [Scoop](https://github.com/lukesampson/scoop), OneGet / NuGet, Npackd, win-get, WAPT. If I'm not mistaken Scoop tries to a be a replica of HomeBrew on Windows, hence should be able to compile from source I guess. There is also the [Zero Install](https://0install.de/) which is kind of a cross platform app store, very convenient for average user. username_2: I don't have the time to support five+ Windows package managers, especially because I'm developing on a Mac. If folks would like to volunteer to set up CI, I'd be happy to add you as a collaborator to this repo. username_1: Yesterday I came up with the following initial AppVeyor script. Feel free to build upon it! I might have another look and complete it in circa one week. ``` version: 1.0.{build} branches: only: - develop clone_depth: 1 build_script: - ps: >- $pacman = 'C:\msys64\usr\bin\pacman.exe' Start-Process $pacman -Args @('-Syuu') -Wait $msysSoftware = 'git make lemon flex mingw-w64-x86_64-python3 mingw-w64-x86_64-cmake mingw-w64-x86_64-qt5 mingw-w64-x86_64-toolchain' Start-Process $pacman -Args (@('-S', '-y') + $msysSoftware.Split(' ')) -Wait ``` There is a preinstalled Boost in `C:\Libraries\boost_1_67_0` in the default AppVeyor VM images. I am not sure whether it contains its libraries built with Python support (which Antimony requires).
tuupola/slim-jwt-auth
394250913
Title: response issue Question: username_0: Hello, I call the protected route "users" but in response, in addition to the users json array I also have the array with the "cod_ute" and the "user" used to create the jwt token. Since the answer is processed by a "datatables", this generates an error and I do not know how to remove it. any suggestions?!? thank you! ``` $app->add(new \Tuupola\Middleware\JwtAuthentication([ "path" => "/api", /* or ["/api", "/admin"] */ "attribute" => "decoded_token_data", "secret" => "123456789", "algorithm" => ["HS256"], "error" => function ($response, $arguments) { $data["status"] = "error"; $data["message"] = $arguments["message"]; return $response ->withHeader("Content-Type", "application/json") ->write(json_encode($data, JSON_UNESCAPED_SLASHES | JSON_PRETTY_PRINT)); } ])); ``` ``` $app->post('/login', function (Request $request, Response $response, array $args) { $input = $request->getParsedBody(); $headers = $request->getHeaders(); $username = $input['username']; $password = $input['<PASSWORD>']; $login = $BS->Login($username, $password); $settings = $this->get('settings'); // get settings array. $token = JWT::encode(['cod_ute' => cod, 'user' => user], CreateJwtSecretString($settings['jwt']['secret']), "HS256"); return $this->response->withJson($token); }); ``` ``` $app->group('/api', function(\Slim\App $app) { $app->get('/users', function(Request $request, Response $response, array $args) { print_r($request->getAttribute('decoded_token_data')); $BU = new Users(); $users= $BU->List(); return $this->response->withJson($users); }); }); ``` ``` var tbUsers = $('#tb_users').DataTable({ "ajax": { "url": "myslimapi/api/users", "type": "GET", "beforeSend": function (request) { request.setRequestHeader("Authorization", 'Bearer mytoken'); }, } ``` [{"cod":1,"name":"Luca","born":"Roma"},{"cod":2,"name":"Marco","born":"Firenze"},{"cod":3,"name":"Tony","born":"Milano"}]Array ( [cod_ute] => 1 [user] => pigo ) Answers: username_1: What is the error you see? username_0: thanks but I solved .. it was enough to remove this line of coder: print_r($request->getAttribute('decoded_token_data')); mistake from fatigue .. sorry!
evancz/elm-project-survey
521802539
Title: Build times - Windows - 56526 lines Question: username_0: ``` -- OVERVIEW ----------------------------------------------- OS: Microsoft Windows 10 Pro 10.0.18362 RAM: 16GB CPU: AMD Ryzen 3 2200G with Radeon Vega Graphics @ 3.50GHz, 4 physical cores PROJECT: 176 files, 56526 lines, 27 direct deps, 5 indirect deps ASSET SIZE: 2929317 bytes -> 783988 bytes (minified) -> 233266 bytes (gzipped) COMMAND: elm make src/elm/Main.elm 6465ms -- from scratch 1815ms -- worst incremental 873ms -- median incremental 344ms -- best incremental COMMAND: elm make src/elm/Main.elm --output=/dev/null 2340ms -- from scratch 2970ms -- worst incremental 89ms -- median incremental 72ms -- best incremental ----------------------------------------------------------- ``` [build.log](https://github.com/evancz/elm-project-survey/files/3838233/build.log)
NucleusPowered/Nucleus
632186149
Title: [Feature request] Sets to perform pre-gen during a specified time period Question: username_0: For example, pre-gen is performed from 3am to 7am ,This is the time with the fewest players, time period is configurable. Status: Issue closed Answers: username_1: I'm not doing this - it adds complexity for a feature that few would b likely to use (or care about). Also, next time use the new feature issue template. It's there for a reason, and that reason is _not_ for you to select all and delete.
keybase/keybase-issues
73011662
Title: https://keybase.io/<user>/key.asc is not CORS-friendly Question: username_0: According to the [docs](https://keybase.io/docs/api/1.0/call/user/key.asc), this API should be CORS-friendly: `https://keybase.io/<user>/key.asc` However I've got this error when trying this API in the console: `XMLHttpRequest cannot load https://keybase.io/username_0/key.asc. No 'Access-Control-Allow-Origin' header is present on the requested resource. Origin 'http://localhost:3000' is therefore not allowed access.` Here's the JS console logs: http://take.ms/tZD5r Answers: username_1: From your screenshot it looks like the request was made with the "OPTIONS" method but the CORS response headers appear to only allow the "GET" method in the "Access-Control-Allow-Methods" header. ``` Access-Control-Allow-Origin: * Access-Control-Allow-Methods: GET Access-Control-Allow-Headers: Content-Type, Authorization, Content-Length, X-Requested-With ``` username_0: Ups... Sorry for confusion . I didn't realise that my implementation (`$http.get` in AngularJS) sends an OPTION request first when debugging on localhost. I confirm that when running the similar request using jQuery's `$.get("https://keybase.io/username_0/key.asc")`, the response is OK. Status: Issue closed username_0: More info on this topic for those who have a similar issue: http://stackoverflow.com/questions/12111936/angularjs-performs-an-options-http-request-for-a-cross-origin-resource/12112294#12112294
dcxSt/dcxSt.github.io
542220343
Title: get rid of the default prologue readme Question: username_0: for some reason the default prologue theme's readme appears on my site when I load it online which is kindof shit because it's not good, it's just an advert for prologue and I don't want that making my site shitty to use... Answers: username_0: done Status: Issue closed
pimutils/vdirsyncer
235452731
Title: Solving conflicts Question: username_0: If there is a conflict, I don't know of any way to resolve it. I would like to be able to say, for each conflict, things like: - show me the difference, - take side A (or side B) - open both and let me do the merge Related: #521 Answers: username_0: I already read the whole manual some times ago and read the conflict-resolution section yesterday too. Thanks to your second url, I've just learned about the `"command"` option that's exactly what I wanted (what about referencing that in the conflict resolution section? Want a PR?). I wrote a script (see below) that works well. My problem is that the 2 files are so different (one is modified by khard, the other by davdroid) that it's hard to merge the changes. One way to simplify merging would be to use khard on both files to generate two other, easier to merge files (what do you think @scheibler?). Here is the script I put in there. It seems to work fine (it uses Emacs and its conflict solving facilities): ```bash #!/usr/bin/env bash file1="$1" file2="$2" if [[ ! -f $file1 || ! -f $file2 ]]; then echo "ERROR: Wrong call $*" echo "Usage: $0 FILE1 FILE2" exit 1 fi target=$(mktemp) emacs-client.sh --eval "(ediff3 \"$file1\" \"$file2\" \"$target\")" echo "Merge these two files into ${target}" read -p "Press RET here when you are done (C-c to abort)... " if [[ ! -s $target ]]; then echo "ERROR: The $target is non-existent or empty" exit 1 fi cp "$target" "$file1" cp "$target" "$file2" echo "The merge went well, going on." ``` username_1: If you have ideas how to improve the tutorials, of course PRs are welcome. Note that the manual underwent some changes which will be released with 0.16. Take a look at https://vdirsyncer.pimutils.org/en/latest/tutorial.html#conflict-resolution (latest in the URL instead of stable) I do want to normalize files before sending them to conflict resolution (see https://github.com/pimutils/vdirsyncer/issues/521), but with the current "knowledge" vdirsyncer has of the item content, that's not possible. Perhaps one day. I'll close this for now though, again, PRs regarding mentioning this in the docs are welcome, for your other point there is already a fitting issue. Status: Issue closed
NOAA-PMEL/LAS
289825574
Title: SOCAT: design QC system for both WOCE and Cruise flags Question: username_0: **Reported by @username_0 on 31 Oct 2013 22:03 UTC** Design a QC system (most likely a MySQL database) for SOCAT V3 that will store QC events (timestamp, expocode, region, reviewer's name, comment) for both cruise QC flag assignment and data WOCE flag assignment. A QC events probably will, but may not, include a Cruise QC flag assignment. It could just be a comment; e.g., "Many questionable/bad data points in the Arctic region; consider suspending if more found elsewhere". QC events assigning WOCE flags will include an indication of the data (list of pairs giving the row and column indices) associated with this event. A WOCE-flag QC event should be able to set the Cruise QC flag; e.g., if there are many bad data points, the user should be able to suspend the cruise in this same event. All the events associated with a cruise should be easily and quickly retrieved. The comment should not have any restrictions on the characters used. Migrated-From: http://dunkel.pmel.noaa.gov/trac/las/ticket/1555 Answers: username_0: **Modified by @username_0 on 29 Jul 2014 18:50 UTC** Status: Issue closed
dotnet/docs
498016082
Title: Set up Desktop Guide content appropriately Question: username_0: Things I've noticed: - It needs an entry on the main index page - It doesn't have a special ms.prod/ms.technology value - it's using the default ms.author, author, ms.prod, etc. - Set up labels and rules<issue_closed> Status: Issue closed
muratcorlu/ngx-script-loader
661018460
Title: Avoid loading scripts multiple times Question: username_0: Hi, Since this is appending the scripts as HTML elements, it would make sense to check if the script tag has already been added/loaded. We could also check if all the attributes indeed exist. I had a use case where this was quite problematic. Let me know if this is welcomed. I will prepare a PR. Thanks. :) Answers: username_1: Do you think this is not enough or not working properly? username_0: So I did a little more testing and it seems to work as documented. It was a problem with my code. I was dynamically creating the `ScriptService` and instantiating it multiple times. So from what I understand from the usage (didn't look at the code for this), it seems a service instance maintains which scripts are already loaded. Do you think a use case like this (apart from my bad code) is viable where multiple `ScriptService`s might be required? If so, it might be worth checking in the DOM for loaded scripts. And apart from all this - thanks for the extension. It's really helpful. :) username_0: Here's something for a reference code. **script-loader.ts** ```ts import { ScriptService } from "ngx-script-loader"; export async function loadSomeScript(onLoad) { const scriptService = new ScriptService(document); // New ScriptService for every call - bad code for (let i = 0; i < 10; i++) { await scriptService.loadScript('assets/someScript.js').toPromise(); } onLoad(); } ``` **using-loader.ts** ```ts (async () => { await loadSomeScript(() => { console.log('Loaded'); }); await loadSomeScript(() => { console.log('Loaded 2'); }); })(); ``` username_1: I don't know if there is a use case to have multiple instances of `ScriptService`. I also need to think about side effects of checking existence of script in DOM already. I'm not completely clear about that approach for now. Current "in-memory" approach is fast, easy to manage and very flexible(I just used `shareReplay` of rxjs). username_0: I see. Let me know if you need any help. And if you feel like it, you can close the issue. Thanks. :) username_1: Thank you. I'll create a separate issue if I'll need to work on this topic. Closing this now. Status: Issue closed
izar/pytm
736699891
Title: Python 3.7.8: "TypeError: Expected maxsize to be an integer or None" for lru_cache in line 780 Question: username_0: ``` python pytm-example.py Traceback (most recent call last): File "pytm-example.py", line 3, in <module> from pytm.pytm import TM, Server, Datastore, Dataflow, Boundary, Actor, Lambda File "/home/math/.pyenv/versions/3.7.8/lib/python3.7/site-packages/pytm/__init__.py", line 3, in <module> from .pytm import Element, Server, ExternalEntity, Dataflow, Datastore, Actor, Process, SetOfProcesses, Boundary, TM, Action, Lambda, Threat, Classification, Data File "/home/math/.pyenv/versions/3.7.8/lib/python3.7/site-packages/pytm/pytm.py", line 486, in <module> class TM(): File "/home/math/.pyenv/versions/3.7.8/lib/python3.7/site-packages/pytm/pytm.py", line 780, in TM @lru_cache File "/home/math/.pyenv/versions/3.7.8/lib/python3.7/functools.py", line 490, in lru_cache raise TypeError('Expected maxsize to be an integer or None') TypeError: Expected maxsize to be an integer or None ``` Answers: username_1: Dup of #114, already fixed on Oct 2nd but we haven't yet released a version with that. @izar looks like it's time for 1.1.3 username_0: In this case I'll close it :-) Status: Issue closed
srg74/WLED-wemos-shield
875681327
Title: Support for multiple LED outputs Question: username_0: I just read the changelog of [WLED version 0.12.0](https://github.com/Aircoookie/WLED/releases/tag/v0.12.0). It supports multiple LED outputs. I guess you could still use just one relay to power on/off all led strips at once. The level shifter (SN74AHCT125N) is already able to support up to four outputs, too. Only the additional terminal blocks would need more space, I think. But maybe we could keep using one `GND` and one `+` for all strips and only add the extra `DI` (and `CLK`?). I really would like to use a shield with support for at least two LED outputs. 😎 Answers: username_1: You can use both DI and CLK as data pins. If you using board v2 also you can set soldering jumpers for 2 more outputs. All available outs shifted. Only downside In this case you can’t use digital microphone. Status: Issue closed username_0: Great! I did not expect that. In that case I do not need a new design. 👍
seequent/properties
428485158
Title: Array properties create a new view of the array on validation Question: username_0: When validating an Array, a new view is always created - see here: https://github.com/seequent/properties/blob/9fd6fb0a787e4e8692beb36e537ae8735bdec247/properties/math.py#L129 This results in some strange behavior, especially with using Arrays as `DynamicProperties`: ![image](https://user-images.githubusercontent.com/9453731/55441288-81d93900-5567-11e9-8422-61c1c435a193.png) I propose adding a `coerce` key-word argument similar to `container` properties: https://github.com/seequent/properties/blob/9fd6fb0a787e4e8692beb36e537ae8735bdec247/properties/base/containers.py#L170-L172 Then if `coerce=False` we would skip the new view creation step. ![image](https://user-images.githubusercontent.com/9453731/55441914-af26e680-5569-11e9-997b-27057e4c3f98.png)<issue_closed> Status: Issue closed
ESMCI/cime
331271300
Title: No archive entry found for components ESP on anlworkstation Question: username_0: After PR #2656 (Archive test refinement) was merged, a single cime_developer test (e.g. SMS.T42_T42.S) fails during run. ``` Exception during run: ERROR: No archive entry found for components: ['ESP'] Traceback (most recent call last): File "scripts/lib/CIME/SystemTests/system_tests_common.py", line 155, in run self._st_archive_case_test() File "scripts/lib/CIME/SystemTests/system_tests_common.py", line 286, in _st_archive_case_test result = self._case.test_env_archive() File "scripts/lib/CIME/case/case_st_archive.py", line 749, in test_env_archive expect(not components, "No archive entry found for components: {}".format(components)) File "scripts/lib/CIME/utils.py", line 130, in expect raise exc_type(msg) SystemExit: ERROR: No archive entry found for components: ['ESP'] ``` If we remove the following line in system_tests_common.py the test can pass: `self._st_archive_case_test()` How to define archive entry for ESP on anlworkstation? Answers: username_1: E3sm Should not look for an esp entry - I will fix this. username_0: @username_1 This issue (2660) has been fixed by PR 2663 (verified on anlworkstation) However, it is not closed as PR 2663 uses a wrong issue number (2659) Could you please modify PR 2663 to use issue number 2660? username_1: Fixed by #2663 Status: Issue closed
AceCentre/RelayKeys
410811685
Title: Switch paired device Question: username_0: A way of switching between paired device 1, 2, 3, 4 etc.. Answers: username_0: It seems like this might not be possible (from https://forums.adafruit.com/viewtopic.php?f=8&t=147745&p=729905#p729905) “A bonded central can't tell a peripheral to ignore its bond with another central that's already connected. The peripheral won't even respond to the messages.” username_1: I think you may be confusing who would be making the decision to switch. The Bluetooth device emitting keystrokes is the peripheral. You communicate with the peripheral over USB-Serial, not via Bluetooth. As such, you can instruct the peripheral to send key events to whichever central you choose. As seen here (https://os.mbed.com/forum/team-63-Bluetooth-Low-Energy-community/topic/31109/?page=1#comment-58678), it is possible to have multiple simultaneous connections from different central roles. So long as you keep track of those individual "channels", you can emit events to whichever you choose to. Sticking with the VNC protocol approach, you could choose the target of the events by logging in with a different password, or implementing a custom escape message to terminate the current VNC session with the dongle and return to "AT command mode". Then, a different central could be selected using "AT+VNC=<MAC of chosen central>", or similar. This could be implemented on the host PC by having a VNC server on multiple ports, one per remote central, and switching between them as necessary depending on which one is receiving events. Obviously, one would still need locking, and a handshake protocol between the two or more client connections as to which one has the dongle configured for which central destination, but that is all achievable. While there may be some latency involved in sending the escape code to terminate the VNC session with a particular central, handing over control of the dongle to another VNC server instance, etc, this is not the sort of thing that happens hundreds of times per second, it is a conscious context switch at human scale to select or look at a different computer, and the latency is unlikely to be more than that already experienced by the user. username_0: This is now doable - see https://github.com/AceCentre/morAce/blob/a77a2fbb6be165ec55c39d6f4cb0c262470868f6/morAce/morAce.ino#L262 username_0: We've now done this. https://github.com/AceCentre/RelayKeys/commit/69fffd89cf5ace9ee74ed6bc4fe958bff4fb3db2 Status: Issue closed
MicrosoftDocs/OfficeDocs-SharePoint
951085101
Title: ListColor and ListIcon parameters Question: username_0: It would be nice if a listing of options were available for the ListColor and ListIcon parameters in the Add-SPOListDesign example. --- #### Document Details ⚠ *Do not edit this section. It is required for docs.microsoft.com ➟ GitHub issue linking.* * ID: 6665386e-1ad4-e9d3-565b-4b3cb3c3ea99 * Version Independent ID: 870237f7-66ec-270e-1372-c993e8dedbe9 * Content: [Custom list templates - SharePoint in Microsoft 365](https://docs.microsoft.com/en-us/sharepoint/lists-custom-template?WT.mc_id=M365-MVP-5003629) * Content Source: [SharePoint/SharePointOnline/lists-custom-template.md](https://github.com/MicrosoftDocs/OfficeDocs-SharePoint/blob/live/SharePoint/SharePointOnline/lists-custom-template.md) * Service: **sharepoint-online** * GitHub Login: @kaarins * Microsoft Alias: **kaarins** Answers: username_1: Thanks for the suggestion @username_0 ! Status: Issue closed
google/flatbuffers
644069235
Title: Flag to let generated field names conform to the schema [Python] Question: username_0: As it stands, a field named `that_monster` will be generated as `thatMonster` in Python. Could a flag be added to `flatc` that forces the generated Python code to have field names that correspond to the schema, something like `--python-schema-fields`. Answers: username_1: Perhaps we could add a new flag `--field-names` that would take `language-defined (default) | camel-case | snake-case | schema,` etc.. options? That way it is more customizable by the user, and could be implemented by any of the language generators, not just python. username_2: It would take a fair bit of rework of all the language generators to make it consistently use all these options. Not against it, but not sure if its worth the effort. The current approach is to simply pick one that is closest to universal for the language, which is pretty easy in most languages. If anything, first step would be to either enforce schema identifier style, or to normalize schema identifier style into an internal format. E.g. a Java user could write a schema with `myField`, internally stored as `my_field`, and then again output in Java as `my_field`. Now they decide to use the schema with C++, and get `my_field`. Currently the C++ generator takes names as-is, it could also be modified to convert names from whatever format I guess.. username_0: My primary motivation for this request was to be able to more easily generate a JSON representation of a flatbuffer object within Python, that would match the flatbuffer schema. I found a Python package that could do this for me: ```python import jsons ... def bytes_serializer(obj: bytes, detect_str: bool = False, **kwargs): if detect_str: try: return obj.decode('utf-8') except UnicodeError: return obj return obj jsons.set_serializer(bytes_serializer, bytes) my_flatbuffer_object = ... return jsons.dumps(my_flatbuffer_object, key_transformer=jsons.KEY_TRANSFORMER_SNAKECASE, strip_privates=True, strip_nulls=True, strip_class_variables=True, strict=True, detect_str=True) ```python username_2: Ah good point, it also affects JSON keys. The problem there is that some people may want to ingest existing JSON by writing a schema, which would entail allowing whatever field name works. I prefer @username_1 's approach of trying to force schema writers to use one standard (snake_case), but it does mean these people would currently get warnings. It does look like there's not one solution that would make everyone happy..
LosAltosHacks/losaltoshacks.com-2019
370404572
Title: Last row of team is too large Question: username_0: Since there's only 3 people in the last row of the team section, it automatically scales up. Can you keep it the same as the other regular team members while still maintaining the largeness of the directors?<issue_closed> Status: Issue closed