repo_name
stringlengths
4
136
issue_id
stringlengths
5
10
text
stringlengths
37
4.84M
kyverno/kyverno
1122099566
Title: [BUG] A policy is being applied on pods created by Jobs even it is not defined in the policy Question: username_0: **Software version numbers** * Kubernetes version: v1.21.5 * Kyverno version: v1.5.8 **Describe the bug** When we create a policy to be applied on Pods and Pods created by DaemonSet, Deployment and StatefulSet controllers, e.g. [require-pod-probes](https://kyverno.io/policies/best-practices/require_probes/require_probes/) policy, the policy is still being applied on Pods created by Jobs or CronJobs. We expect that these Pods created by Jobs and Cronjobs are skipped. **To Reproduce** Steps to reproduce the behavior: 1. Create the [require-pod-probes](https://kyverno.io/policies/best-practices/require_probes/require_probes/) policy 2. Create the following example job which starts a pod without livenessProbe and readinessProbe defined ```yaml apiVersion: batch/v1 kind: Job metadata: name: test-probes-job spec: template: spec: containers: - name: test-probes image: k8s.gcr.io/liveness args: - /server restartPolicy: Never ``` 3. Check the events with `kubectl get events --sort-by='{.lastTimestamp}' -w | grep validate-livenessProbe-readinessProbe` 4. You will see ```txt 5s Warning PolicyViolation clusterpolicy/require-pod-probes Rule(s) 'validate-livenessProbe-readinessProbe' failed to apply on resource Pod/default/test-probes-job-6q2p9 5s Warning PolicyViolation pod/test-probes-job-6q2p9 Rule(s) 'validate-livenessProbe-readinessProbe' of policy 'require-pod-probes' failed to apply on the resource ``` **Expected behavior** The policy is not applied on pods created by Jobs and Cronjobs and it should skip them. **Additional context** Sorry if this is not a bug and just our lack of understanding of how kyverno policy works. Answers: username_1: In the sample policy, the annotation `pod-policies.kyverno.io/autogen-controllers` explicitly applies this policy to only those resources listed (and `Jobs` is not among them). You can simply remove this line and Kyverno will create all the autogen rules appropriately for all controllers, or just add `Job` to the value of that annotation. Also be sure you're changing `validationFailureAction` from `audit` (which is how it's shown) to `enforce` to immediately block resources. This is also noted at the top of the policies page: ``` Most validate policies in this samples page are set to audit mode by default. To block resources immediately, set to enforce. ``` Closing this issue as Kyverno is working as expected. Status: Issue closed username_0: Yes exactly and this is also what we want, but the problem is that even Jobs is not in the list, policy is still being applied on Pods created by Jobs. This is unexpected. What we expect is that kyverno doesnt apply this policy on pods, which are created by Jobs. username_1: I was not seeing this behavior in 1.6 in main. Are you able to try this version by installing from the manifest and using tag `1.6-dev-latest`? username_0: @username_1 I just installed kyverno chart v2.2.0-rc2 with image 1.6-dev-latest and unfortunately it is still the same behaviour. So do you mean that you can't reproduce the problem we are having? username_1: Can you please provide precise and complete steps to reproduce? Please paste all ClusterPolicy and tests manifest into this issue. username_0: Sorry, I thought I already described it well enough. Here I try once again: 1. Deploy the [kyverno chart v2.2.0](https://github.com/kyverno/kyverno/tree/helm-chart-v2.2.0/charts/kyverno). We use the following config: ```yaml replicaCount: 3 rbac: serviceAccount: create: false name: <our-sa-name> image: repository: "<our-registry>/kyverno/kyverno" initImage: repository: "<our-registry>/kyverno/kyvernopre" testImage: repository: "<our-registry>/busybox" serviceMonitor: enabled: true ``` 2. Deploy the following policy, which is copied from https://kyverno.io/policies/best-practices/require_probes/require_probes/ and edited just `validationFailureAction` and `background`: ```yaml apiVersion: kyverno.io/v1 kind: ClusterPolicy metadata: name: require-pod-probes annotations: pod-policies.kyverno.io/autogen-controllers: DaemonSet,Deployment,StatefulSet policies.kyverno.io/title: Require Pod Probes policies.kyverno.io/category: Best Practices policies.kyverno.io/severity: medium policies.kyverno.io/subject: Pod policies.kyverno.io/description: >- Liveness and readiness probes need to be configured to correctly manage a Pod's lifecycle during deployments, restarts, and upgrades. For each Pod, a periodic `livenessProbe` is performed by the kubelet to determine if the Pod's containers are running or need to be restarted. A `readinessProbe` is used by Services and Deployments to determine if the Pod is ready to receive network traffic. This policy validates that all containers have liveness and readiness probes by ensuring the `periodSeconds` field is greater than zero. spec: validationFailureAction: enforce background: false rules: - name: validate-livenessProbe-readinessProbe match: resources: kinds: - Pod validate: message: "Liveness and readiness probes are required." pattern: spec: containers: - livenessProbe: periodSeconds: ">0" readinessProbe: periodSeconds: ">0" ``` 3. `kubectl get clusterpolicy -o wide` [Truncated] /server Environment: <none> Mounts: <none> Volumes: <none> Events: Type Reason Age From Message ---- ------ ---- ---- ------- Warning FailedCreate 4s job-controller Error creating: admission webhook "validate.kyverno.svc-fail" denied the request: resource Pod/default/test-probes-job-5pk9r was blocked due to the following policies require-pod-probes: validate-livenessProbe-readinessProbe: 'validation error: Liveness and readiness probes are required. Rule validate-livenessProbe-readinessProbe failed at path /spec/containers/0/readinessProbe/' ``` Hopefully it is clear this time. We dont expect this behaviout according to https://kyverno.io/docs/writing-policies/autogen/. If this behaviour is expected, then our quiestion would be "How can we exclude Pods, which are created by Jobs, in this require-pod-probes policy?". username_1: Thank you for supplying the complete info. The issue is clear now and I can reproduce this on 1.6.0. Reopening. username_1: **Software version numbers** * Kubernetes version: v1.21.5 * Kyverno version: v1.5.8 **Describe the bug** When we create a policy to be applied on Pods and Pods created by DaemonSet, Deployment and StatefulSet controllers, e.g. [require-pod-probes](https://kyverno.io/policies/best-practices/require_probes/require_probes/) policy, the policy is still being applied on Pods created by Jobs or CronJobs. We expect that these Pods created by Jobs and Cronjobs are skipped. **To Reproduce** Steps to reproduce the behavior: 1. Create the [require-pod-probes](https://kyverno.io/policies/best-practices/require_probes/require_probes/) policy 2. Create the following example job which starts a pod without livenessProbe and readinessProbe defined ```yaml apiVersion: batch/v1 kind: Job metadata: name: test-probes-job spec: template: spec: containers: - name: test-probes image: k8s.gcr.io/liveness args: - /server restartPolicy: Never ``` 3. Check the events with `kubectl get events --sort-by='{.lastTimestamp}' -w | grep validate-livenessProbe-readinessProbe` 4. You will see ```txt 5s Warning PolicyViolation clusterpolicy/require-pod-probes Rule(s) 'validate-livenessProbe-readinessProbe' failed to apply on resource Pod/default/test-probes-job-6q2p9 5s Warning PolicyViolation pod/test-probes-job-6q2p9 Rule(s) 'validate-livenessProbe-readinessProbe' of policy 'require-pod-probes' failed to apply on the resource ``` **Expected behavior** The policy is not applied on pods created by Jobs and Cronjobs and it should skip them. **Additional context** Sorry if this is not a bug and just our lack of understanding of how kyverno policy works. username_1: In order to work around this, modify the policy so it directly applies to the `kind` you want, thereby allowing Jobs and the Pods spawned by them to succeed. ```yaml apiVersion: kyverno.io/v1 kind: ClusterPolicy metadata: name: require-pod-probes annotations: # pod-policies.kyverno.io/autogen-controllers: DaemonSet,Deployment,StatefulSet policies.kyverno.io/title: Require Pod Probes policies.kyverno.io/category: Best Practices policies.kyverno.io/severity: medium policies.kyverno.io/subject: Pod policies.kyverno.io/description: >- Liveness and readiness probes need to be configured to correctly manage a Pod's lifecycle during deployments, restarts, and upgrades. For each Pod, a periodic `livenessProbe` is performed by the kubelet to determine if the Pod's containers are running or need to be restarted. A `readinessProbe` is used by Services and Deployments to determine if the Pod is ready to receive network traffic. This policy validates that all containers have liveness and readiness probes by ensuring the `periodSeconds` field is greater than zero. spec: validationFailureAction: enforce background: true rules: - name: validate-livenessProbe-readinessProbe match: resources: kinds: - DaemonSet - Deployment - StatefulSet validate: message: "Liveness and readiness probes are required." pattern: spec: template: spec: containers: - livenessProbe: periodSeconds: ">0" readinessProbe: periodSeconds: ">0" ``` username_2: We used to skip applying policies to managed pods but this behavior was changed due to https://github.com/kyverno/kyverno/issues/2164. I guess we are missing the check for pod controllers when applying policies to managed pods. For example, if the policy doesn't match `Job`, we should check the owner of the managed pod and only apply if the owner is one of the matching kinds. @username_0 - thanks for reporting, we will fix it in 1.6.1. username_0: Thanks a lot for replying so quickly! Meanwhile we think that we managed the expected behaviour with the following policy. We used a pre-condition to exclude Pods that created by Jobs. What do you think? ```yaml apiVersion: kyverno.io/v1 kind: ClusterPolicy metadata: name: require-pod-probes annotations: pod-policies.kyverno.io/autogen-controllers: DaemonSet,Deployment,StatefulSet policies.kyverno.io/title: Require Pod Probes policies.kyverno.io/category: Best Practices policies.kyverno.io/severity: medium policies.kyverno.io/subject: Pod policies.kyverno.io/description: >- Liveness and readiness probes need to be configured to correctly manage a Pod's lifecycle during deployments, restarts, and upgrades. For each Pod, a periodic `livenessProbe` is performed by the kubelet to determine if the Pod's containers are running or need to be restarted. A `readinessProbe` is used by Services and Deployments to determine if the Pod is ready to receive network traffic. This policy validates that all containers have liveness and readiness probes by ensuring the `periodSeconds` field is greater than zero. spec: validationFailureAction: enforce background: false rules: - name: kyverno-require-pod-probes # In order to exclude Pods that are created by Jobs (has ownerReferences.kind as Job) # we add this precondition to filter out these pods. # We already disabled auto-generation for Pods created by Jobs. # This should also filter out Pods that created by CronJobs, because CronJobs first create a Job. preconditions: any: - key: "{{ to_string(request.object.metadata.v[?kind=='Job']) }}" operator: In # "null" is when there is no ownerReferences # "[]" is when ownerReferences.kind is different than Job value: ["null", "[]"] match: resources: kinds: - Pod validate: message: "Liveness and readiness probes are required." pattern: spec: containers: - livenessProbe: periodSeconds: ">0" readinessProbe: periodSeconds: ">0" ``` username_2: @username_0 - yes, the above policy should also work! username_2: Thinking more about the proposed solution above, it could still result in security issues as @username_3 pointed out here https://github.com/kyverno/kyverno/issues/2164#issuecomment-886873647. Let's say if auto-gen is enabled for `DaemonSet,Deployment,StatefulSet`, and we skip applying policy to the pod that is managed by Job (and other workloads), the user can bypass policy checks for this particular pod. Adding `preconditions` to exclude managed pods may be the best option here, as it requires users to take the action. Should we add another section to [troubleshooting](https://kyverno.io/docs/troubleshooting/) page, especially for `enforce` policies, saying that once auto-gen is enabled, all pods will be evaluated and use `preconditions` to exclude certain ones? cc @username_1 @username_3 username_1: Not sure I follow here. If autogen is enabled for those three controllers, that means the user has already consciously decided against enforcement for Jobs and CronJobs (because without the annotation these would be covered by default). username_2: I just tried adding an existing deployment as the owner for a bare pod, and it worked. So one (other controllers) can still bypass the policy checks by editing the `ownerReferences` field. In this sense, the `ownerReferences` cannot really tell that this pod is **actually** managed by default Kubernetes controllers. username_3: That seems like the behavior reported in https://github.com/kyverno/kyverno/issues/2164 which we fixed by additionally applying the rule at the pod level. A rule defined at the pod level must apply to **all** pods. Auto-gen should be additive and also additionally apply the rule to select controllers, but not skip checks for all pods. If the user wants other behaviors, they can configure it using specific rules. username_2: Yes just confirmed that again in Kubernetes 1.23.0. username_2: @username_1 - any thoughts on the above comment? Can we close this issue? username_1: I'm not sure I understand the comment and what the solution is here. username_2: Users can exclude certain resources by adding preconditoins. What do you think? username_1: If that's the best we can do then that's fine but we should document it. My opinion is that it somewhat erodes the value proposition of autogen if a user wants to not accept the default behavior. username_2: This makes sense to me, and I feel we shouldn't make this behavior configurable as it could result in a severe security issue. username_2: Created https://github.com/kyverno/website/issues/480 for doc updates. username_1: Right, agreed, but the actual behavior is a nuance here. When a user modifies the autogen behavior to _exclude_ one or more Pod controllers that would otherwise be covered, their expectation is going to be that Pods created by those excluded controllers are allowed but this is false. This is where confusion will arise because their Pod controller will be allowed but the Pods themselves will be blocked. This behavior is not otherwise present. Getting the behavior they want and think they're getting requires additional modification. This is the point I'm trying to make. username_2: I like this idea! @username_5 - can you collaborate with @username_4 to add this warning in https://github.com/kyverno/kyverno/pull/3272 ? username_2: @username_5 @username_4 - what's the estimate of the above change? Should we hold 1.6.1-rc2 or move the issue to 1.6.2? username_4: Hey @username_2, apologies as I was away for few days. I will take a look at this today. If you need to generate the `1.6.1-rc2` release prior to that, then can we merge the original PR and I can create a new one to fix this? Thanks Status: Issue closed username_2: Thank you @username_4 @username_5 !
pop-os/pop
910429005
Title: Active hint out of screen bug Question: username_0: <!-- If this is a bug, please use the template below. If this is a question or general discussion topic, please start a conversation in our chat https://chat.pop-os.org/ or post on our subreddit https://reddit.com/r/pop_os - as those are the proper forums for that type of discussion. --> **Distribution (run `cat /etc/os-release`):** 20.10 x86_64 **Issue/Bug Description:** When a window is moved out of screen to the left, the active hint stays on screen. ![Screenshot from 2021-06-03 17-29-56](https://user-images.githubusercontent.com/62146852/120642092-45326080-c496-11eb-8345-7cc2ab01fa9e.png) **Steps to reproduce (if you know):** just move any window out of screen to the left **Expected behavior:** This doesn't happen if the window is moved to the right side ![Screenshot from 2021-06-03 17-30-10](https://user-images.githubusercontent.com/62146852/120642287-83c81b00-c496-11eb-923c-541e2a79d2a5.png) Answers: username_1: Looks like it also happens when moving the window past the top edge of the screen as well. I think the active hint is primarily intended for usage with auto tiling, where this issue won't really ever be seen, but I agree that it's something that should probably be fixed.
AnthonyNahas/ngx-auth-firebaseui
566946483
Title: Missing dependencies when running ng build --prod Question: username_0: --> Windows 10 ### Versions <!-- Output from: `ng --version`, in case you are using Angular CLI. Otherwise, output from: `node --version` , `npm --version` and Angular version. --> ``` Angular CLI: 9.0.2 Node: 12.15.0 OS: win32 x64 Angular: 9.0.1 ... animations, common, compiler, compiler-cli, core, forms ... language-service, platform-browser, platform-browser-dynamic ... router Ivy Workspace: Yes Package Version ------------------------------------------------------------ @angular-devkit/architect 0.900.2 @angular-devkit/build-angular 0.900.2 @angular-devkit/build-ng-packagr 0.900.2 @angular-devkit/build-optimizer 0.900.2 @angular-devkit/build-webpack 0.900.2 @angular-devkit/core 9.0.2 @angular-devkit/schematics 9.0.2 @angular/cdk 9.0.0 @angular/cli 9.0.2 @angular/fire 5.4.2 @angular/flex-layout 9.0.0-beta.29 @angular/material 9.0.0 @ngtools/webpack 9.0.2 @schematics/angular 9.0.2 @schematics/update 0.900.2 ng-packagr 9.0.0 rxjs 6.5.4 typescript 3.7.5 webpack 4.41.2 ``` ### Repro steps <!-- Simple steps to reproduce this bug. Please include: commands run, packages added, related code changes. A link to a sample repo would help too. --> 1. Create a new Angular library (I use nx to do this) 2.) Run `ng build my-library --prod`. See that build succeeds 3.) Add all dependencies and ngx-auth-firebaseui to project 4.) Import NgxAuthFirebaseUIModule.forRoot(...) as docs states ``` import { NgModule } from '@angular/core'; import { CommonModule } from '@angular/common'; // Import your library import { NgxAuthFirebaseUIModule } from 'ngx-auth-firebaseui'; [Truncated] An unhandled exception occurred: Can't resolve all parameters for LoggedInGuard in C:/Projects/SOLID/SOLID.Core/node_modules/ngx-auth-firebaseui/ngx-auth-firebaseui.d.ts: ([object Object], [object Object], ?). Can't resolve all parameters for UserComponent in C:/Projects/SOLID/SOLID.Core/node_modules/ngx-auth-firebaseui/ngx-auth-firebaseui.d.ts: ([object Object], ?, ?, [object Object]). Can't resolve all parameters for AuthComponent in C:/Projects/SOLID/SOLID.Core/node_modules/ngx-auth-firebaseui/ngx-auth-firebaseui.d.ts: ([object Object], [object Object], [object Object], ?, [object Object], [object Object], [object Object]). Can't resolve all parameters for AuthProvidersComponent in C:/Projects/SOLID/SOLID.Core/node_modules/ngx-auth-firebaseui/ngx-auth-firebaseui.d.ts: (?). Can't resolve all parameters for ɵi in C:/Projects/SOLID/SOLID.Core/node_modules/ngx-auth-firebaseui/ngx-auth-firebaseui.d.ts: (?, [object Object], [object Object]).Can't resolve all parameters for NgxAuthFirebaseuiLoginComponent in C:/Projects/SOLID/SOLID.Core/node_modules/ngx-auth-firebaseui/ngx-auth-firebaseui.d.ts: ([object Object], ?, [object Object]). Can't resolve all parameters for NgxAuthFirebaseuiRegisterComponent in C:/Projects/SOLID/SOLID.Core/node_modules/ngx-auth-firebaseui/ngx-auth-firebaseui.d.ts: ([object Object], [object Object], ?). See "C:\Users\micha\AppData\Local\Temp\ng-ejs5TF\angular-errors.log" for further details. ``` ### Desired functionality <!-- What would like to see implemented? What is the usecase? --> ng build will work with NgxAuthFirebaseUIModule ### Mention any other details that might be useful <!-- Please include a link to the repo if this is related to an OSS project. --> Answers: username_1: which angular version are you using? username_0: I am using angular 9.0.1. here are my dependencies: ``` "dependencies": { "@angular-material-extensions/password-strength": "^6.0.0", "@angular/animations": "~9.0.1", "@angular/cdk": "^9.0.0", "@angular/common": "~9.0.1", "@angular/compiler": "~9.0.1", "@angular/core": "~9.0.1", "@angular/fire": "^5.4.2", "@angular/flex-layout": "^9.0.0-beta.29", "@angular/forms": "~9.0.1", "@angular/material": "^9.0.0", "@angular/platform-browser": "~9.0.1", "@angular/platform-browser-dynamic": "~9.0.1", "@angular/router": "~9.0.1", "@nrwl/angular": "8.12.4", "@nrwl/schematics": "^8.12.4", "firebase": "^7.8.2", "ngx-auth-firebaseui": "^4.0.1", "rxjs": "~6.5.4", "tslib": "^1.10.0", "zone.js": "~0.10.2" }, ``` username_2: I have the same issue. I figured out that `AuthProcessService` (https://github.com/username_1/ngx-auth-firebaseui/blob/8a065fd8af724f884afd464824b6a6bd47a8ca15/projects/ngx-auth-firebaseui/src/lib/services/auth-process.service.ts) is missing... But I can't see a reason for that... Maybe itis an issue that the NgxAuthFirebaseUIModule is not using the typed `ModuleWithProviders`. (See https://angular.io/guide/deprecations#modulewithproviders-type-without-a-generic) username_2: I tried it to change the ModuleWithProviders according to https://angular.io/guide/deprecations#modulewithproviders-type-without-a-generic but it didn't helped. I can't find a reason... username_2: I found the problem and created a pull request. @username_1 could you review and merge it? Status: Issue closed
tuhdo/semantic-refactor
188117059
Title: No insert class name inside namespaces Question: username_0: --- foo.hpp ``` cpp namespace one { namespace two { class Test { Tes|t(); // cursor at | }; }} ``` --- foo.cpp ``` cpp namespace one { namespace two { }} ``` M-x srefactor-refactor-at-point --- foo.cpp ``` cpp namespace one { namespace two { Test() { } }} ``` missing Test:: preceding Test() Thanks Status: Issue closed Answers: username_1: I push a fix. Please try it again. Thanks for the report. username_0: Thank you for your prompt reply. The fix works but: --- foo.hpp ``` c++ namespace one { namespace two { class Test { Tes|t(); // cursor at | }; }} ``` M-x srefactor-refactor-at-point and select insert Inside namespace one. --- foo.cpp ``` c++ namespace one { Test::Test() { } namespace two { }} ``` mising two:: preceding Test::Test() I hope this can help you: ``` lisp (let* ((parents-pos (srefactor--tag-parents-string tag)) (parents-remove (concat parents-pos (car tag) "::")) (parents (srefactor--tag-parents-string func-tag))) (insert (replace-regexp-in-string (concat "^" parents-remove) "" parents))) ``` username_1: --- foo.hpp ``` cpp namespace one { namespace two { class Test { Tes|t(); // cursor at | }; }} ``` --- foo.cpp ``` cpp namespace one { namespace two { }} ``` M-x srefactor-refactor-at-point --- foo.cpp ``` cpp namespace one { namespace two { Test() { } }} ``` missing Test:: preceding Test() Thanks username_1: I am ignoring namespace parent at the moment, as currently srefactor tries to retrieve all upper parents of a tag. As a result, when generating a function definition, srefactor inserts all namespaces as part of the prefix of a tag, even though the tag is already inside such namespaces. I will fix this later. Status: Issue closed username_1: --- foo.hpp ``` cpp namespace one { namespace two { class Test { Tes|t(); // cursor at | }; }} ``` --- foo.cpp ``` cpp namespace one { namespace two { }} ``` M-x srefactor-refactor-at-point --- foo.cpp ``` cpp namespace one { namespace two { Test() { } }} ``` missing Test:: preceding Test() Thanks username_1: I fixed the issue. Please have a look again. username_0: It works fine. Thanks very much. Status: Issue closed
jitsi/jitsi-meet
860424657
Title: Set Display Name by ldap information Question: username_0: Hi everyone, I am using ldap for user-authentication on jitsi. When i logging in I’d like to set the Jitsi “Display Name” by the ldap information. Because ldap information already include that. Is there an option? it would be nice.. Answers: username_1: There is no such option at the moment and such feature is not on the roadmap. Any PRs are welcome. username_2: I will take a look on it :) username_3: Did you get any news on this? username_4: Closing since we have no plans to work on this. Feel free to reference it in a PR if anyone is up for it. Status: Issue closed
jcbvm/ember-api-requests
312008469
Title: Missing user ID in README HTTP methods section Question: username_0: If I'm not wrong, it seems that when you explain the available HTTP methods in the corresponding README section, you miss to precise the User `id`: ``` request('action', { model: 'user' }) // GET request to /users/action request('action', { model: user }) // GET request to /users/1/action ``` where it would be wiser to add as for other cases: ``` asuming user is a model with id 1 ``` What do you think ?
appium/appium
13926780
Title: Switch to web view works on iOS simulator but not on real iPad mini device Question: username_0: I'm experiencing a problem with Appium where a test behaves differently on the iPad simulator compared to on a real iPad mini. I'm working in Java with Selenium to test an app that contains a web view. I'm running the exact same test code and app on the simulator and real device. It works great on the simulator but fails to switch to the web view on the real device. I'm trying to get the window handles and switch to the web view so that I can reference the web elements by CSS. With the simulator, the driver.getWindowHandles() call returns [1]. So, one window with the handle "1". I can switch to this window and start finding elements by CSS selectors, which works brilliantly. However, when running the exact same test on a real iPad mini the driver.getWindowHandles() call returns [], no elements. So I can't switch to the web view and can't find elements by CSS selectors. Example code: ``` //Get hold of the webview Set<String> windowHandles = driver.getWindowHandles(); //Get window Handles System.out.println("WindowHandles: "+ windowHandles.toString()); //Expect [1] (RETURNS [] on ON REAL DEVICE!) String firstWindowHandle = (String) windowHandles.toArray()[0]; //Extract first window handle System.out.println("Switching to window: "+firstWindowHandle); //Expect "1" webview = driver.switchTo().window(firstWindowHandle); //Switch to window //then run a bunch of commands like webview.findElement(By.cssSelector(".some-selector")).click() ``` Is this expected behaviour, a bug, or am I doing something wrong? Any ideas?
a11yproject/a11yproject.com
923346442
Title: We should provide a callout card component for emphasizing content Question: username_0: ## What is it? Callout cards use visual affordances (like borders, lead words, or other shapes) to indicate that a pierce of content is important. The effect usually results in the content appearing as if it is a card laid on top of the site. Importantly, there are no HTML elements or ARIA attributes to indicate that content needs emphasis. Callout cards must rely on content and visual affordance – ideally, both. ## What we have now The closest thing The A11Y Project has to a callout card is its visual design for a blockquote. People and AT alike interpret quotes differently – something can be important without being a citation. ## Some examples <img width="683" alt="CleanShot 2021-06-16 at 19 38 43@2x" src="https://user-images.githubusercontent.com/13525251/122322580-884ef380-ceda-11eb-9352-47dfee48f5eb.png" alt=""> CSS tricks draws a 3-sided orange border around its callout cards, and introduces their content with "Hey!". <img width="757" alt="CleanShot 2021-06-16 at 19 42 00@2x" src="https://user-images.githubusercontent.com/13525251/122322853-fdbac400-ceda-11eb-81d6-a40239a25c9d.png" alt=""> Shopify's Polaris framework uses a four-sided card, as well as images, to draw reader attention. Answers: username_1: For me, it'll be important to distinguish "Examples" (as in, this is how you perform this) from "TL;DR" (as in, if you won't read this paragraph, at least read this bullet point) from "quotables" for social media (as in, put this on Twitter for clickbait material). Notably, none of these are "block quote" (as in poignant words from an author). Am I taking this too far?
concon121/serverless-plugin-nested-stacks
368601703
Title: Publish a v0.1.0 Question: username_0: If you battle tested your plugin, you should consider publish a minor to indicate a better confidence in the working of your plugin. (I tryied it and works well, but hesitate to do so because of the version) Status: Issue closed Answers: username_1: Published version 0.1.0 https://www.npmjs.com/package/serverless-aws-nested-stacks username_0: Awesome!
ChrisNZL/Tallowmere2
767311533
Title: IndexOutOfRangeException: UnityEngine.UI.GraphicRegistry.RegisterGraphicForCanvas Question: username_0: System.Collections.Generic.Dictionary`2[TKey,TValue].TryInsert (TKey key, TValue value, System.Collections.Generic.InsertionBehavior behavior) System.Collections.Generic.Dictionary`2[TKey,TValue].Add (TKey key, TValue value) UnityEngine.UI.GraphicRegistry.RegisterGraphicForCanvas (UnityEngine.Canvas c, UnityEngine.UI.Graphic graphic) UnityEngine.UI.Graphic.OnCanvasHierarchyChanged () UnityEngine.UI.MaskableGraphic.OnCanvasHierarchyChanged () UnityEngine.Behaviour:set_enabled(Boolean) T2.ExtensionMethods:EnableBehaviourIfNeeded(Behaviour) T2.YourHealthIsLow:Update() GameStates: RompingThroughDungeon GameSetupMode: Singleplayer Players: 1 DungeonRoomTransitionerState: Null Room: 5 / 5 RoomModifiers: None YouHaveDiedState: Null SystemPlayer InputDevice: 键盘 HumanPlayer 1 InputDevice: 键盘 ``` Status: Issue closed Answers: username_0: Handled in 0.2.3. Added a try/catch around calling `canvas.EnableBehaviourIfNeeded` within `YourHealthIsLow.Update`, and suppressing as a Warning. Two players out of 4,000+ have triggered this error. Also hoping the Unity 2019.4.12f1 upgrade for v0.2.3 will resolve this. Some sort of internal Unity Canvas issue, but unable to reproduce.
just-jeb/angular-builders
479572982
Title: Code instrumentation in Angular 7? Question: username_0: The documentation does not state anywhere how to instrument the code. I'm trying to run e2e tests via Cypress and it requires that the code is instrumented. I write my files in TypeScript and then manually compile the files to Javascript where I then instrument the files. I'd like to then just bundle them but I can't seem to configure angular `ng build` without using the `ts-loader`. Either that or I'd like some sort of configuration to instrument the code via `ng build` also. This can be done via https://webpack.js.org/loaders/istanbul-instrumenter-loader/ but then I have to write my own builder. Fine I can do this, but then I need a webpack.config.js file to begin with to do this. And `ng eject` will not work now: `The 'eject' command has been disabled and will be removed completely in 8.0.`. So. How do I instrument code in Angular 7. Answers: username_1: You can use `@angular-builders/custom-webpack` builder to modify webpack configuration that `ng build` uses. In particular it will allow you to add any loader. So no need to write your own builder. Status: Issue closed
swaggo/gin-swagger
267994826
Title: localhost:8080/swagger returns 404 page not found Question: username_0: Doc folder gets created with doc.go file however I am unable to find anything on localhost:8080/swagger. Could you please help? Answers: username_1: @username_0 could you post your `main.go` file? username_1: @username_0 document were wrong. You have to browser to http://localhost:8080/swagger/index.html <img width="1438" alt="2017-10-24 8 27 02" src="https://user-images.githubusercontent.com/8943871/31943004-dd08a10e-b88c-11e7-9e77-19d2c759a586.png"> Status: Issue closed username_0: Thank you so much for solving it. I can see the same page as index.html. But then why don't my changes get reflected there? My doc.go file has different structure than the one mentioned in index.html. Could you please help me understand ? username_0: Your project has helped me a lot so far. However I am struggling at one point. My APIs have both the GET and POST method for the same endpoint. But the swagger documentation that gets created only displays the second one (I wrote annotations for GET method and then POST. So swagger only displays the POST one). Could you help me solve it? :) username_1: @username_0 Can you post your actual code to understand better ?
MEEWStudios/microwalvo
575799418
Title: Ronaldo spawns in a random X-Z coordinate Question: username_0: - [ ] Characters/Items do not spawn under the spotlight at the start of the game - [ ] Ronaldo spawns in a random X-Z coordinate - [ ] Fake Ronaldo spawns in a random X-Z coordinate - [ ] N Good Items spawn in a random X-X coordinate - [ ] N Bad Items spawn in a random X-Z coordinate Status: Issue closed Answers: username_0: - [ ] Characters/Items do not spawn under the spotlight at the start of the game - [ ] Ronaldo spawns in a random X-Z coordinate - [ ] Fake Ronaldo spawns in a random X-Z coordinate - [ ] N Good Items spawn in a random X-X coordinate - [ ] N Bad Items spawn in a random X-Z coordinate Status: Issue closed
fauxparse/nzif
176313243
Title: ActionView::Template::Error: undefined method `name' for nil:NilClass Question: username_0: View details in Rollbar: [https://rollbar.com/nzif/nzif/items/92/](https://rollbar.com/nzif/nzif/items/92/) ``` NoMethodError: undefined method `name' for nil:NilClass File "/app/app/views/accounts/_account.html.haml", line 5, in _app_views_accounts__account_html_haml___424580223113469726_69971296023800 File "/app/vendor/bundle/ruby/2.3.0/gems/actionview-5.0.0.1/lib/action_view/template.rb", line 158, in block in render File "/app/vendor/bundle/ruby/2.3.0/gems/activesupport-5.0.0.1/lib/active_support/notifications.rb", line 166, in instrument File "/app/vendor/bundle/ruby/2.3.0/gems/actionview-5.0.0.1/lib/action_view/template.rb", line 348, in instrument File "/app/vendor/bundle/ruby/2.3.0/gems/actionview-5.0.0.1/lib/action_view/template.rb", line 156, in render File "/app/vendor/bundle/ruby/2.3.0/gems/actionview-5.0.0.1/lib/action_view/renderer/partial_renderer.rb", line 343, in render_partial File "/app/vendor/bundle/ruby/2.3.0/gems/actionview-5.0.0.1/lib/action_view/renderer/partial_renderer.rb", line 311, in block in render File "/app/vendor/bundle/ruby/2.3.0/gems/actionview-5.0.0.1/lib/action_view/renderer/abstract_renderer.rb", line 42, in block in instrument File "/app/vendor/bundle/ruby/2.3.0/gems/activesupport-5.0.0.1/lib/active_support/notifications.rb", line 164, in block in instrument File "/app/vendor/bundle/ruby/2.3.0/gems/activesupport-5.0.0.1/lib/active_support/notifications/instrumenter.rb", line 21, in instrument File "/app/vendor/bundle/ruby/2.3.0/gems/activesupport-5.0.0.1/lib/active_support/notifications.rb", line 164, in instrument File "/app/vendor/bundle/ruby/2.3.0/gems/actionview-5.0.0.1/lib/action_view/renderer/abstract_renderer.rb", line 41, in instrument File "/app/vendor/bundle/ruby/2.3.0/gems/actionview-5.0.0.1/lib/action_view/renderer/partial_renderer.rb", line 310, in render File "/app/vendor/bundle/ruby/2.3.0/gems/actionview-5.0.0.1/lib/action_view/renderer/renderer.rb", line 47, in render_partial File "/app/vendor/bundle/ruby/2.3.0/gems/actionview-5.0.0.1/lib/action_view/helpers/rendering_helper.rb", line 35, in render File "/app/vendor/bundle/ruby/2.3.0/gems/haml-4.0.7/lib/haml/helpers/action_view_mods.rb", line 10, in block in render_with_haml File "/app/vendor/bundle/ruby/2.3.0/gems/haml-4.0.7/lib/haml/helpers.rb", line 89, in non_haml File "/app/vendor/bundle/ruby/2.3.0/gems/haml-4.0.7/lib/haml/helpers/action_view_mods.rb", line 10, in render_with_haml File "/app/app/views/accounts/show.html.haml", line 7, in _app_views_accounts_show_html_haml__565369191821520471_69971296148320 File "/app/vendor/bundle/ruby/2.3.0/gems/actionview-5.0.0.1/lib/action_view/template.rb", line 158, in block in render File "/app/vendor/bundle/ruby/2.3.0/gems/activesupport-5.0.0.1/lib/active_support/notifications.rb", line 166, in instrument File "/app/vendor/bundle/ruby/2.3.0/gems/actionview-5.0.0.1/lib/action_view/template.rb", line 348, in instrument File "/app/vendor/bundle/ruby/2.3.0/gems/actionview-5.0.0.1/lib/action_view/template.rb", line 156, in render File "/app/vendor/bundle/ruby/2.3.0/gems/actionview-5.0.0.1/lib/action_view/renderer/template_renderer.rb", line 54, in block (2 levels) in render_template File "/app/vendor/bundle/ruby/2.3.0/gems/actionview-5.0.0.1/lib/action_view/renderer/abstract_renderer.rb", line 42, in block in instrument File "/app/vendor/bundle/ruby/2.3.0/gems/activesupport-5.0.0.1/lib/active_support/notifications.rb", line 164, in block in instrument File "/app/vendor/bundle/ruby/2.3.0/gems/activesupport-5.0.0.1/lib/active_support/notifications/instrumenter.rb", line 21, in instrument File "/app/vendor/bundle/ruby/2.3.0/gems/activesupport-5.0.0.1/lib/active_support/notifications.rb", line 164, in instrument File "/app/vendor/bundle/ruby/2.3.0/gems/actionview-5.0.0.1/lib/action_view/renderer/abstract_renderer.rb", line 41, in instrument File "/app/vendor/bundle/ruby/2.3.0/gems/actionview-5.0.0.1/lib/action_view/renderer/template_renderer.rb", line 53, in block in render_template File "/app/vendor/bundle/ruby/2.3.0/gems/actionview-5.0.0.1/lib/action_view/renderer/template_renderer.rb", line 61, in render_with_layout File "/app/vendor/bundle/ruby/2.3.0/gems/actionview-5.0.0.1/lib/action_view/renderer/template_renderer.rb", line 52, in render_template File "/app/vendor/bundle/ruby/2.3.0/gems/actionview-5.0.0.1/lib/action_view/renderer/template_renderer.rb", line 14, in render File "/app/vendor/bundle/ruby/2.3.0/gems/actionview-5.0.0.1/lib/action_view/renderer/renderer.rb", line 42, in render_template File "/app/vendor/bundle/ruby/2.3.0/gems/actionview-5.0.0.1/lib/action_view/renderer/renderer.rb", line 23, in render File "/app/vendor/bundle/ruby/2.3.0/gems/actionview-5.0.0.1/lib/action_view/rendering.rb", line 103, in _render_template File "/app/vendor/bundle/ruby/2.3.0/gems/actionpack-5.0.0.1/lib/action_controller/metal/streaming.rb", line 217, in _render_template File "/app/vendor/bundle/ruby/2.3.0/gems/actionview-5.0.0.1/lib/action_view/rendering.rb", line 83, in render_to_body File "/app/vendor/bundle/ruby/2.3.0/gems/actionpack-5.0.0.1/lib/action_controller/metal/rendering.rb", line 52, in render_to_body File "/app/vendor/bundle/ruby/2.3.0/gems/actionpack-5.0.0.1/lib/action_controller/metal/renderers.rb", line 144, in render_to_body File "/app/vendor/bundle/ruby/2.3.0/gems/actionpack-5.0.0.1/lib/abstract_controller/rendering.rb", line 26, in render File "/app/vendor/bundle/ruby/2.3.0/gems/actionpack-5.0.0.1/lib/action_controller/metal/rendering.rb", line 36, in render File "/app/vendor/bundle/ruby/2.3.0/gems/actionpack-5.0.0.1/lib/action_controller/metal/instrumentation.rb", line 44, in block (2 levels) in render File "/app/vendor/bundle/ruby/2.3.0/gems/activesupport-5.0.0.1/lib/active_support/core_ext/benchmark.rb", line 12, in block in ms File "/app/vendor/ruby-2.3.0/lib/ruby/2.3.0/benchmark.rb", line 308, in realtime File "/app/vendor/bundle/ruby/2.3.0/gems/activesupport-5.0.0.1/lib/active_support/core_ext/benchmark.rb", line 12, in ms File "/app/vendor/bundle/ruby/2.3.0/gems/actionpack-5.0.0.1/lib/action_controller/metal/instrumentation.rb", line 44, in block in render File "/app/vendor/bundle/ruby/2.3.0/gems/actionpack-5.0.0.1/lib/action_controller/metal/instrumentation.rb", line 87, in cleanup_view_runtime File "/app/vendor/bundle/ruby/2.3.0/gems/activerecord-5.0.0.1/lib/active_record/railties/controller_runtime.rb", line 25, in cleanup_view_runtime File "/app/vendor/bundle/ruby/2.3.0/gems/actionpack-5.0.0.1/lib/action_controller/metal/instrumentation.rb", line 43, in render File "/app/vendor/bundle/ruby/2.3.0/bundler/gems/wicked_pdf-aee77867a735/lib/wicked_pdf/pdf_helper.rb", line 42, in render_with_wicked_pdf File "/app/vendor/bundle/ruby/2.3.0/bundler/gems/wicked_pdf-aee77867a735/lib/wicked_pdf/pdf_helper.rb", line 27, in render File "/app/vendor/bundle/ruby/2.3.0/gems/actionpack-5.0.0.1/lib/action_controlle<issue_closed> Status: Issue closed
johannesjo/super-productivity
939605415
Title: TypeError: Cannot read property 'icon' of undefined Question: username_0: ### Steps to Reproduce <!-- !!! Please provide an unambiguous set of steps to reproduce this bug! !!! --> <!-- !!! Please provide an unambiguous set of steps to reproduce this bug! !!! --> 1. 2. 3. 4. ### Error Log (Desktop only) <!-- For the desktop versions, there is also an error log file in case there is no console output. Usually, you can find it here: on Linux: ~/.config/superProductivity/logs/main.log on macOS: ~/Library/Logs/superProductivity/main.log on Windows: %USERPROFILE%/AppData/Roaming/superProductivity/logs/main.log . --> ### Console Output <!-- Is there any output if you press Ctrl+Shift+i (Cmd+Alt+i for mac) in the console tab? If so please post it here. --> ### Stacktrace ``` icon (webpack:///src/app/features/search-bar/search-bar.component.ts:117:29) _getContextIcon (webpack:///src/app/features/search-bar/search-bar.component.ts:104:18) constructor (webpack:///src/app/features/search-bar/search-bar.component.ts:93:17) _mapTasksToSearchItems (webpack:///src/app/features/search-bar/search-bar.component.ts:72:42) _next (webpack:///node_modules/rxjs/_esm2015/internal/operators/map.js:29:34) next (webpack:///node_modules/rxjs/_esm2015/internal/Subscriber.js:49:17) _next (webpack:///node_modules/rxjs/_esm2015/internal/operators/withLatestFrom.js:57:33) next (webpack:///node_modules/rxjs/_esm2015/internal/Subscriber.js:49:17) notifyNext (webpack:///node_modules/rxjs/_esm2015/internal/operators/switchMap.js:66:25) ``` ### Meta Info META: SP7.2.1 Electron – en-US – Linux x86_64 – Mozilla/5.0 (X11; Linux x86_64) AppleWebKit/537.36 (KHTML, like Gecko) superProductivity/7.2.1 Chrome/91.0.4472.106 Electron/13.1.4 Safari/537.36 ### Actions Before Error ``` 1625731472465: [Persistence] Save to DB 1625731929956: [Layout] Show SearchBar 1625731935206: [Layout] Hide SearchBar 1625731935722: [Layout] Hide SideBar 1625731941968: [SP_ALL] Load(import) all data 1625731941971: [SP_ALL] All Data was loaded 1625731941999: [WorkContext] Set Active Work Context 1625731942020: [Task] SetSelectedTask 1625731946033: [WorkContext] Set Active Work Context 1625731946103: [Task] SetSelectedTask 1625731949157: [WorkContext] Set Active Work Context 1625731949205: [Task] SetSelectedTask 1625731951479: [WorkContext] Set Active Work Context 1625731951490: [Task] SetSelectedTask 1625731956103: [WorkContext] Set Active Work Context 1625731956135: [Task] SetSelectedTask 1625731959238: [Task] SetSelectedTask 1625731962155: [Task] SetSelectedTask 1625731964254: [Task] SetSelectedTask 1625731973923: [Task] SetSelectedTask 1625731975592: [WorkContext] Set Active Work Context 1625731975633: [Task] SetSelectedTask 1625732004499: [Layout] Show SearchBar 1625732007518: [Layout] Hide SearchBar 1625732007795: [Layout] Hide SideBar 1625732085427: [SP_ALL] Load(import) all data 1625732085430: [SP_ALL] All Data was loaded 1625732085459: [WorkContext] Set Active Work Context 1625732085489: [Task] SetSelectedTask 1625732323888: [Layout] Show SearchBar ``` Answers: username_1: Thanks for opening this up. I think this is already addressed. I provide a new (pre) release shortly. Status: Issue closed
cypress-io/cypress
603518874
Title: cypress 4.4.0 install error on Teamcity Question: username_0: <!-- Is this a question? Questions WILL BE CLOSED. Ask in our chat https://on.cypress.io/chat --> ### Current behavior: Error on Teamcity: (local machine looks fine) Installing Cypress (version: 4.4.0) 16:22:37 16:22:37 [?25l[16:22:37] Downloading Cypress [started] 16:23:02 [16:23:02] Downloading Cypress [completed] 16:23:02 [16:23:02] Unzipping Cypress [started] 16:23:02 /usr/local/TeamCity/buildAgent/work/c9f3a9b03e88b7fc/node_modules/cypress/lib/tasks/unzip.js:130 16:23:02 sp.stdout.on('data', function (data) { 16:23:02 ^ 16:23:02 16:23:02 TypeError: Cannot read property 'on' of undefined 16:23:02 at unzipWithUnzipTool (/usr/local/TeamCity/buildAgent/work/c9f3a9b03e88b7fc/node_modules/cypress/lib/tasks/unzip.js:130:21) 16:23:02 at /usr/local/TeamCity/buildAgent/work/c9f3a9b03e88b7fc/node_modules/cypress/lib/tasks/unzip.js:187:20 16:23:02 at /usr/local/TeamCity/buildAgent/work/c9f3a9b03e88b7fc/node_modules/yauzl/index.js:37:7 16:23:02 at /usr/local/TeamCity/buildAgent/work/c9f3a9b03e88b7fc/node_modules/yauzl/index.js:141:16 16:23:02 at /usr/local/TeamCity/buildAgent/work/c9f3a9b03e88b7fc/node_modules/yauzl/index.js:631:5 16:23:02 at /usr/local/TeamCity/buildAgent/work/c9f3a9b03e88b7fc/node_modules/fd-slicer/index.js:32:7 16:23:02 at FSReqWrap.wrapper [as oncomplete] (fs.js:467:17) 16:23:05 npm WARN @activia/[email protected] No repository field. 16:23:05 npm WARN The package @ngneat/transloco is included as both a dev and production dependency. 16:23:05 npm WARN optional SKIPPING OPTIONAL DEPENDENCY: [email protected] (node_modules/webpack-dev-server/node_modules/fsevents): 16:23:05 npm WARN notsup SKIPPING OPTIONAL DEPENDENCY: Unsupported platform for [email protected]: wanted {"os":"darwin","arch":"any <!-- A description including screenshots, stack traces, DEBUG logs, etc --> ### Desired behavior: <!-- A clear description of what you want to happen --> ### Test code to reproduce <!-- If we cannot fully run the tests as provided the issue WILL BE CLOSED --> <!-- Issues without a reproducible example WILL BE CLOSED --> <!-- You can fork https://github.com/cypress-io/cypress-test-tiny repo, set up a failing test, then link to your fork --> ### Versions <!-- Cypress, operating system, browser --> Status: Issue closed Answers: username_1: Same issue, what was the fix? username_0: my problem was that node version was too old on Teamcity
microsoft/electionguard-python
816756026
Title: Refactor Tracker Question: username_0: ## Issue **Description** - [ ] Refactor `tracker_hash` to `code` in code - [ ] Refactor tracker has to Verification Code in docs - [ ] Remove `words.py` and associated tests and methods `tracker_hash` should be refactored to `code` and similar methods should be adjusted to no longer refer it by this name. The use of this has led to confusion with many vendors. The plan is to switch to `ballot.code` which makes a bit more sense in plain english since this ends up being a top level term. The tracking words will be removed around the same time. This implementation is a carryover and provides some convenience but the string representation of the code can be adjust to create many useful presentations besides the one currently offered. The words also present a maintenance problem in the long term.<issue_closed> Status: Issue closed
WikiEducationFoundation/WikiEduDashboard
1130828820
Title: MassEnrollmentWorker throws Sidekiq warning Question: username_0: ### What is happening? The tests for MassEnrollmentController trigger a Sidekiq warning for MassEnrollmentWorker: ``` WARN: Job arguments to MassEnrollmentWorker do not serialize to JSON safely. This will raise an error in Sidekiq 7.0. See https://github.com/mperham/sidekiq/wiki/Best-Practices or raise an error today by calling `Sidekiq.strict_args!` during Sidekiq initialization. ``` ### To Reproduce Run the rspec tests for MassEnrollmentController. Answers: username_1: Hey @username_2 let me know if the issue can't be reolved ,thankx. username_1: hey is someone working on it still? username_3: @username_2 I think you just need to change the text in app/services/add_users.rb and b/app/services/join_course.rb from symbols to regular strings; so instead of ` { failure: 'Not an existing user.' }` use `{ "failure" => 'Not an existing user.' }` username_2: @username_3 am actually not getting any sidekiq warning and i haven't changed anything ![massEnrollement](https://user-images.githubusercontent.com/22706319/156446833-c0cd341b-5491-48e0-b2db-9ebb9dbcf6bd.png) username_0: It looks like you ran the spec for SelfEnrollmentController, not MassEnrollmentController. username_0: Fixed in 1c44a30d4c5b3c3a0ce6f26e68be2ddc77516dc0 Status: Issue closed
typeorm/ionic-example
325367232
Title: Static's on entity is undefined Question: username_0: If I define a static variable on a entity class it is undefined at runtime even though my IDE seems to think it should work just fine. Is this expected in TypeORM? Answers: username_0: Here is the generated entity class and as you can see the static is not defined Raw: ``` import {Column, Entity, PrimaryGeneratedColumn} from "typeorm"; @Entity('airConfig') export class AirConfig { static SHORT_LIVED_JWT: 'SHORT_LIVED_JWT'; static LONG_LIVED_JWT: 'LONG_LIVED_JWT'; static HOST: 'HOST'; @PrimaryGeneratedColumn("uuid") id: string; @Column({unique: true}) key: string; @Column() value: string } ``` Generated: ``` var AirConfig = /** @class */ (function () { function AirConfig() { } __decorate([ Object(__WEBPACK_IMPORTED_MODULE_0_typeorm__["e" /* PrimaryGeneratedColumn */])("uuid"), __metadata("design:type", String) ], AirConfig.prototype, "id", void 0); __decorate([ Object(__WEBPACK_IMPORTED_MODULE_0_typeorm__["a" /* Column */])({ unique: true }), __metadata("design:type", String) ], AirConfig.prototype, "key", void 0); __decorate([ Object(__WEBPACK_IMPORTED_MODULE_0_typeorm__["a" /* Column */])(), __metadata("design:type", String) ], AirConfig.prototype, "value", void 0); AirConfig = __decorate([ Object(__WEBPACK_IMPORTED_MODULE_0_typeorm__["b" /* Entity */])('airConfig') ], AirConfig); return AirConfig; }()); ``` Status: Issue closed username_0: Dear god... I'm an idiot, I defined the value as the type not the value (`:` instead of `=`) sorry.
alibaba/Sentinel
639383611
Title: 连接sentinel控制台bug Question: username_0: sentinel及sentinel控制台版本:1.6.3 假设项目demo接入sentinel控制台,如果demo所在服务器并不能连接到sentinel控制台,demo并没有任何错误日志(cat /home/ordinaryUser/logs/csp/sentinel-record.log.2020-06-16.0, 项目日志中也没有), 给排查问题带来很大难度。 最后通过arthas监听发现是网络连接不通400(watch com.alibaba.csp.sentinel.transport.heartbeat.client.SimpleHttpClient request returnObj), 后面改成外网ip才可以正常访问到sentinel控制台(之前是填的内网ip,暂不知道为什么) ![image](https://user-images.githubusercontent.com/1433479/84730714-8dc4e580-afc9-11ea-86c7-3d9d2c92fbb9.png) Answers: username_1: This has been improved in #1303. You may upgrade to the latest version. Status: Issue closed
informatics-isi-edu/deriva-py
892223444
Title: GEO module - handle null values correctly Question: username_0: In some cases (e.g., https://www.gudmap.org/id/17-DS7J@2W4-KWT6-DY9C), GEO exports fail with: ``` [AttributeError] 'NoneType' object has no attribute 'get' ``` Handle null values appropriately (i.e., fail if the null value means some necessary fields will be missing from the GEO object, or set output values to null instead of dereferencing a null pointer)
dafnifacility/user-feedback
703511177
Title: Add workflow instance names Question: username_0: If workflows are run more than once (presumably this would only be the case for Monte Carlo analysis) then the instances are indistinguishable Answers: username_0: Thinking about this further, is it ever necessary to run workflows more than once? If not, is the concept of workflow instances required in the UI or would it be simpler to link the status to the workflow itself? username_1: Some pretty fundamental questions here! Really interested in getting some more info. Could you explain a bit more the way that you're using the workflows at the moment and why you never expect to run a workflow more than once? username_0: Since model parameters are fixed within each workflow, the output data will always be the same and therefore it doesn't make sense to run the same workflow twice. If there is a random component to a model then it needs to be seeded with a parameter otherwise the results aren't reproducible. username_1: Hi Fergus - it is actually possible to change your parameters, then execute that workflow without saving it. This creates a new instance, but no new workflow - the record of the changed parameter is then created in the instance. This does seem to lend more weight to your suggestion of supporting named instances, so that you can have a quick reference to the parameters in the title. Captured in ticket [CORE-1407](https://jira.dafni.rl.ac.uk/browse/CORE-1407) (DAFNI Internal) username_0: Thanks for the update @username_1 - I wasn't aware that you could do this. How do I go about it? username_0: I've just noticed the execute button which I guess is how you do it. It could do with being a primary button in my opinion as this option isn't very obvious. It might be helpful to call it 'Execute without creating new workflow'.
vitessio/vitess
958092128
Title: Gen4 planning failed Question: username_0: #### Overview of the Issue Gen4 planning fails for this query ```sql select authoritative.* from authoritative, unsharded_authoritative order by col1 ``` `col1` exists in both the tables `authoritative` and `unsharded_authoritative`. The error from the query is ``` Column 'col1' in field list is ambiguous ``` Also, the error returned from the analyzer is not a projection error. There are 2 problems that me and @username_1 have identified. 1. The error should be a projection error and the query should still work if it goes to a single route. 2. The query should work since we have authoritative column list, and `select authoritative.col1 from authoritative, unsharded_authoritative order by col1` works. The missing element here is that we need to rewrite the `*` while analyzing is going on. Right now, we do it after analyzing the query and by then we have already run into this issue. If we run the analyzer again after expanding the `*`, then the planning works. #### Reproduction Steps Steps to reproduce this issue, example: Copy the query to `onecase.txt` and run `TestOneCase` #### Binary version main<issue_closed> Status: Issue closed
char0n/ramda-adjunct
318618906
Title: isNonEmpty Question: username_0: Because we have [RA.isNonEmptyString](https://username_2.github.io/ramda-adjunct/2.7.0/RA.html#.isNonEmptyString) and [RA.isNonEmptyArray](https://username_2.github.io/ramda-adjunct/2.7.0/RA.html#.isNonEmptyArray). What about a `RA.isNonEmpty` function ? It is just the complement of [R.isEmpty](http://ramdajs.com/docs/#isEmpty). It works with strings, arrays and objects according to [R.isEmpty documentation](http://ramdajs.com/docs/#isEmpty). Answers: username_1: Makes sense for completeness. username_2: We already have https://username_2.github.io/ramda-adjunct/2.7.0/isNotEmpty.js.html#line3 Status: Issue closed username_0: Woops, that's true, sorry.
sparklemotion/nokogiri
10377767
Title: Failed to take ownership of node Question: username_0: [This code](https://gist.github.com/4655922): ```ruby $ cat modify_dom.rb dom = Marshal.load(open('dom')) doc = Nokogiri::XML::Document.wrap(dom) datasets = doc.xpath('//xfa:datasets', 'xfa' => 'http://www.xfa.org/schema/xfa-data/1.0/') data = Nokogiri::XML("<form1><text_field01>foo</text_field01></form1>") datasets.children.first.add_child(data.root) ``` ([here is the code](https://gist.github.com/4655667) that creates `dom`) produces this error: ``` $ bundle exec ruby modify_dom.rb RuntimeError: org.jruby.exceptions.RaiseException: (RuntimeError) Failed to take ownership of node add_child_node at nokogiri/XmlNode.java:1538 add_child at /Users/username_0/.gem/jruby/1.9.3/gems/nokogiri-1.5.6-java/lib/nokogiri/xml/node.rb:275 (root) at modify_dom.rb:13 ``` But if I use (found in issue #781) doc = Nokogiri::XML(Nokogiri::XML::Document.wrap(dom).to_xml) there's no error. Seems like there is a bug in Nokogiri, or am I doing something wrong? I'm using nokogiri (1.5.6-java) and JRuby 1.7.2 on OS X. Answers: username_1: I'm very sorry, without the original `dom` file I can't reproduce this issue. Can you help me reproduce what's going on here? username_0: I linked a gist that can create file "dom"... Did you miss that or is it not enough? > username_1: The gist requires PDF-related java files that I don't have on my system, which is why I'm asking. On Wed, Feb 17, 2016 at 3:02 AM, <NAME> <<EMAIL> > wrote: > I linked a gist that can create file "dom"... Did you miss that or is it > not enough? > > > username_0: @username_1 all the files needed to create `dom`, is in the gist, but I have now generated a `dom` and attached it to the gist, https://gist.github.com/username_0/4655667/raw/969cc7daaf0a275805e18af74e5a0952b47c3226/dom. I created it with these versions: ````console $ java -version java version "1.8.0_74" Java(TM) SE Runtime Environment (build 1.8.0_74-b02) Java HotSpot(TM) 64-Bit Server VM (build 25.74-b02, mixed mode) $ ruby -v jruby 9.0.5.0 (2.2.3) 2016-01-26 7bee00d Java HotSpot(TM) 64-Bit Server VM 25.74-b02 on 1.8.0_74-b02 +jit [darwin-x86_64] ``` I don't think I still have the `original dom file` (but using the exact versions stated in the original post, one should be able to create the same file I guess) I also added the `modify_dom.rb` script to the gist and tried it with the new versions, the error is no longer the same: ```console $ bundle exec ruby modify_dom.rb RuntimeError: java.lang.NullPointerException add_child_node at nokogiri/XmlNode.java:1677 add_child_node_and_reparent_attrs at /Users/username_0/.gem/jruby/2.2.3/gems/nokogiri-1.6.7.2-java/lib/nokogiri/xml/node.rb:830 add_child at /Users/username_0/.gem/jruby/2.2.3/gems/nokogiri-1.6.7.2-java/lib/nokogiri/xml/node.rb:141 <top> at modify_dom.rb:7 ``` I guess one should also test all this with a newer iText version, but as it was some years ago I created this issue, I'm no longer working on the project where I discovered this, so I don't have incentive to do so. Status: Issue closed username_1: I believe this is a dup of #1060 that was fixed by 2fd4158 in v1.10.2.
ImpulseAdventure/GUIslice
444077221
Title: whitescreen elegoo Question: username_0: Ola, i would love your software if i can get it to work :( i'm use the elegoo 2.8 touch tft with an ardu mega. if i create a gui, export the code and upload it, everything is fine, no error while compiling. but the screen stays white -__- i changed the config to ili9341-simple.h and the serial monitor also says everything is ok... Answers: username_1: Hi username_0 — Before using the Builder to create a GUI, it’s important that we make sure the graphics driver is correctly matched to your display. The white screen usually indicates that the graphics driver is not set correctly. For GUIslice, I think we could probably start with the following config: “ard-shld-mcufriend” (Note that this will not enable touch, as I’d like to ensure the display is operational first). Can you confirm that the mcufriend_kbv library examples works on your display? (Ie. Before integrating GUIslice) ### DETAILS: I assume you have an Elegoo 2.8” TFT shield with an 8-bit interface and a resistive 4-wire touchscreen. Elegoo provides their own drivers, but let’s try using David Prentice’s mcufriend_kbv for your display instead. Please do the following: - Uninstall any hacked mcufriend_kbv library that Elegoo may have provided (move/delete the directory from the Arduino Libraries folder) - From the Arduino IDE Library Manager, install “mcufriend_kbv” Now, try running the mcufriend_kbv examples: - diagnose_TFT_support - graphicstest_kbv Do these work on your display? If you can paste in the output from the diagnose_TFT_support to this issue, that would be helpful. Thanks! username_0: using the ard-shld-mcufriend config solve the white screen problem, big thanks, now i just need to find out which touch-handler to use. gib thanks mate! username_1: Great... glad to hear the display driver is working well! I have now created a new config that should work with the **Elegoo 2.8" TFT** including touch support, based on the shield pinout I have seen described elsewhere: `/configs/ard-shld-elegoo28_res` Please update your copy of GUIslice with the latest versions of these files from the repository: - `/configs/ard-shld-elegoo28_res.h` - `/src/GUIslice_config.h` As your touchscreen requires calibration, you should run the following sketch to adjust the parameters for your display: - `/examples/arduino/diag_ard_touch_calib.ino` Hopefully the touch works correctly for you with the new config. If possible, please post the results from your calibration sketch so that I can update the config in the repo. Thanks! username_0: jup everythings works fine now, thx mate! ````GUIslice version [0.11.3.6]: - Initialized display handler [ADA_MCUFRIEND] OK - Initialized touch handler [SIMPLE(Analog)] OK === Touch Calibration === CALIB: Config defaults: XMin=150 XMax=920 YMin=120 YMax=940 RemapYX=0 - MCUFRIEND ID=0x9341 CALIB: Averaging mode: BASIC Capture TL: X=859 Y=133 Cnt=23, Z=(265..339) Capture TR: X=192 Y=134 Cnt=25, Z=(283..313) Capture BL: X=840 Y=891 Cnt=30, Z=(281..345) Capture BR: X=177 Y=889 Cnt=33, Z=(317..392) SegDetect: Normal display (FlipX) CALIB: Result(adj) XMin=879 XMax=153 YMin=107 YMax=915 CALIB: Rotate Capture TL (Rotated): X=168 Y=126 Cnt=24, Z=(321..435) CALIB: Detected normal rotation Recommended calibration settings are shown below. - Copy and paste these lines into your GUIslice config file over top of the existing ADATOUCH_X/Y_MIN/MAX settings. --- // DRV_TOUCH_ADA_SIMPLE [240x320]: (MCUFRIEND ID=0x9341) (XP=8,XM=56,YP=57,YM=9) #define ADATOUCH_X_MIN 879 #define ADATOUCH_X_MAX 153 #define ADATOUCH_Y_MIN 107 #define ADATOUCH_Y_MAX 915 #define ADATOUCH_REMAP_YX 0 --- ```` Status: Issue closed username_1: Thank you @username_0 for the confirmation. I have also updated the default calibration in `ard-shdl-elegoo_28_res` according to the values you observed in your display.
ot4i/ace-docker
565437255
Title: Clarification request on topic 'How to dynamically configure the ACE Integration Server' Question: username_0: Hi, The section states 'Before the Integration Server starts, the container is checked for the folder /home/aceuser/initial-config. For each folder in /home/aceuser/initial-config a script called ace_config_{folder-name}.sh will be run to process the information in the folder.' Could you please clarify the below: a) Is there a particular order in which the scripts 'ace_config_{folder-name}.sh' are called? Say, i have these five sub-directories inside the /home/aceuser/initial-config' - bars, policy, odbcini, sapjcolib & setdbparms. I am actually looking to add a new sub-directory, say 'userscript', and wants this to get executed only after the all the other sub-directory content is processed. b) What would be your suggest to handle the environment specific details, like the connection details that vary across environment (the policies, the setdbparms etc)? i want to make use of the Kubernetes ConfigMap to influence values for such environment fields in the policies etc. Thanks in advance for your help! Answers: username_1: a) Currently there is no predictive order to the folders being scanned. Its the order the go code gets them back in (which from experience can vary). You can see the code doing the scanning at https://github.com/ot4i/ace-docker/blob/0b759fc51c9836a5b201c6b7bf06569045fbc6e1/cmd/runaceserver/integrationserver.go#L66. We are open to PRs to improve this to make the order predictable. b) When this container is used with helm charts we use secrets to store all the configuration and then mount them into the folders under `initial-config`, this means all the environment values can be changes without changing the image/bar file If username_0: Thank you very much for your response Rob - we are exploring the option to use helm charts as you had advised. Will get back to you as required in a couple of days time. Thanks again! Status: Issue closed
dropbox/nsot
493749694
Title: psycopg2 version behind when using Docker and Postgres Question: username_0: When attempting to boot the NSoT Docker image with `ENV['DB_ENGINE']` = `django.db.backends.postgresql`, the container fails to start with: ``` ImproperlyConfigured: psycopg2_version 2.5.4 or newer is required; you have 2.4.5 (dt dec mx pq3 ext) Traceback (most recent call last): File "/usr/local/lib/python2.7/dist-packages/logan/runner.py", line 116, in settings_callback 'settings': settings, File "/usr/local/lib/python2.7/dist-packages/nsot/util/core.py", line 341, in initialize_app connections['default'].allow_thread_sharing = True File "/usr/local/lib/python2.7/dist-packages/django/db/utils.py", line 211, in __getitem__ backend = load_backend(db['ENGINE']) File "/usr/local/lib/python2.7/dist-packages/django/db/utils.py", line 115, in load_backend return import_module('%s.base' % backend_name) File "/usr/lib/python2.7/importlib/__init__.py", line 37, in import_module __import__(name) File "/usr/local/lib/python2.7/dist-packages/django/db/backends/postgresql/base.py", line 36, in <module> raise ImproperlyConfigured("psycopg2_version 2.5.4 or newer is required; you have %s" % psycopg2.__version__) ``` At first, I thought this may be due to the fact that `nsot/nsot:latest` does not appear to have been bumped with the release of 1.4.5, but manually building the image with that version seems to have the same problem.
CSOIreland/PxStat
653955560
Title: [BUG] Update Data CSV Download is changing data order Question: username_0: The csv download from update data seems to be changing the order of data on some files. If the csv is then used to reupdate the file the figures are shifted around Sent details to Neil Answers: username_0: Order corrected for some files but Statistic and unit seems to be omitted on CSV download for some files when using build->update after parsing the px file ![image](https://user-images.githubusercontent.com/55874862/87132418-bd47d480-c28d-11ea-8961-944d2717565d.png) for existing period The entries in the CSV columns for statistic and unit are blank and so give the following error if try to reupdate using these files as they don't match their px layout ![image](https://user-images.githubusercontent.com/55874862/87131857-f0d62f00-c28c-11ea-95f7-2b92e08b9c0c.png) Sent sample file details to Neil username_1: Fixed in DEV - ready for test username_0: Statistic and unit appearing correctly now Status: Issue closed
bounswe/bounswe2020group3
631995388
Title: Changing geo location api Question: username_0: # Description Due to limitation of requests of Geo-Location Look Up API, another API will be implemented for filter endpoint. ![related file](https://github.com/bounswe/bounswe2020group3/blob/master/practice-app/back-end/src/services/geoLocation.js) ### Due to : 06.06.2020 Status: Issue closed Answers: username_0: It's done.
plotly/plotly.js
267771291
Title: Hover labels across shared axes Question: username_0: As reported by a Dash community user: https://community.plot.ly/t/two-graphs-one-hover/6400/5 They would like hover labels to appear on all traces across all y-axes with shared x-axes. Right now, they only appear in the subplot that you are hovering in. Answers: username_1: Yeah - maybe under a new `hovermode`. In the meantime: https://plot.ly/javascript/hover-events/#coupled-hover-events username_2: If so, I think it would hinge on the `id` attribute. username_3: After some searching came across this [Subplots Hover problem with closest data](https://community.plot.ly/t/subplots-hover-problem-with-closest-data/856) username_3: Would it make a difference if the graphs were in separate Divs, as in[Hide/show graph based on drop down selections](https://community.plot.ly/t/hide-show-graph-based-on-drop-down-selections/4725). Will the hover still be applicable, actually a vertical line would do it better username_4: 👍 for this feature. I'm trying to implement a workaround using the "coupled hover events", yet so far I was unable to have it working. Here my attempt so far: https://codepen.io/anon/pen/MXMqQa username_5: @username_4 here is a [working pen](https://codepen.io/duyentnguyen/pen/LRVbyY) from the community forums username_5: So, after digging a bit, here is a solution that works for me, based on great work by others in the community. The main tricks are * dynamically get plot names * use [visdcc.Runjs](https://github.com/jimmybow/visdcc#3-visdccrun_js-) to reload the javasript on graph change, to reattach the event handler to the re-created plot. *(other approaches like `setTimeout` and [dash_defer_js_import](https://github.com/zouhairm/dash_defer_js_import) work the first time only)* ```python JS_STR = ''' var plotid = 'theplotname' var plot = document.getElementById(plotid) plot.on( 'plotly_hover', function (eventdata) { console.log(eventdata.xvals); Plotly.Fx.hover( plotid, { xval: eventdata.xvals[0] }, Object.keys(plot._fullLayout._plots) // ["xy", "xy2", ...] ); }); ''' layout = html.Div([ dcc.Graph(id='theplotname'), visdcc.Run_js(id='hover-js') # <-- add this ]) @app.callback( [Output('theplotname', 'figure'), Output('hover-js', 'run'), # <-- add this ], [... inputs...]) def foo(inputs): figure = ... return figure, JS_STR # <-- add this ``` username_6: **hello, Can you please copy a working example with datas, here my code:** import dash import dash_core_components as dcc import dash_html_components as html from dash.dependencies import Input, Output, State import visdcc import pandas as pd import plotly.graph_objs as go from _plotly_future_ import v4_subplots from plotly.subplots import make_subplots from dfply import * from plotly import __version__ from plotly.offline import download_plotlyjs, init_notebook_mode, plot, iplot import cufflinks as cf from plotly import graph_objs as go JS_STR = ''' var names = ['A', 'B', 'C'] var trace1 = { x: [4, 5, 6], y: [1, 2, 3], text: names, hoverinfo: 'x+y+text', xaxis: 'x', yaxis: 'y', mode: 'markers', type: 'scatter' }; var trace2 = { x: [50, 60, 70], y: [1, 2, 3], text: names, hoverinfo: 'x+y+text', xaxis: 'x2', yaxis: 'y2', mode: 'markers', type: 'scatter' }; var data = [trace1, trace2]; var layout = { hovermode:'compare', yaxis: {anchor: 'x'}, xaxis: {domain: [0, 0.45]}, yaxis2: {anchor: 'x2'}, xaxis2: {domain: [0.55, 1]} }; Plotly.newPlot('graph', data, layout); var myPlot = document.getElementById('graph'); myPlot.on('plotly_hover', function (eventdata){ console.log(eventdata.xvals); Plotly.Fx.hover('graph', [ [Truncated] app1.layout = html.Div([ dcc.Graph(id='graph',figure), visdcc.Run_js(id='hover-js') ]) @app1.callback( [ Output('graph','figure'), Output('hover-js', 'run'), # <-- add this ]) def foo(): figure=fig fig.update_layout(hovermode='x') # "compare" return figure, JS_STR # <-- add this if __name__ == '__main__': app1.run_server() username_7: Any way of achieving with python API? username_8: @username_7 , it would be great for R plotly too, it is a very nice feature. username_7: @username_8 totally agree, I was trying to find a way around it but could not find any good solution username_9: This issue has been tagged with `NEEDS SPON$OR` A [community PR](https://github.com/plotly/plotly.js/pulls?q=is%3Apr+is%3Aopen+label%3A%22type%3A+community%22) for this feature would certainly be welcome, but our experience is deeper features like this are difficult to complete without the Plotly maintainers leading the effort. **Sponsorship range: $15k-$20k** What Sponsorship includes: - Completion of this feature to the Sponsor's satisfaction, in a manner coherent with the rest of the Plotly.js library and API - Tests for this feature - Long-term support (continued support of this feature in the latest version of Plotly.js) - Documentation at [plotly.com/javascript](https://plotly.com/javascript/) - Possibility of integrating this feature with Plotly Graphing Libraries (Python, R, F#, Julia, MATLAB, etc) - Possibility of integrating this feature with Dash - Feature announcement on [community.plotly.com](https://community.plotly.com/tag/announcements) with shout out to Sponsor (or can remain anonymous) - Gratification of advancing the world's most downloaded, interactive scientific graphing libraries (>50M downloads across supported languages) Please include the link to this issue when [contacting us](https://plotly.com/get-pricing/) to discuss. username_10: here's a good example, but wonder how it's possible to Python API so to speak https://covid19-projections.com/path-to-herd-immunity/ username_11: This seems to work somehow. But is this possible with the Python API? https://codepen.io/maio93/pen/OQxoZx
microsoft/FluidFramework
1061396092
Title: assert(isRuntimeMessage(message), 0x122 /* "Message to unpack is not proper runtime message" */); Question: username_0: I've hit this assert on a new doc. Looking at Kusto, there are not that many hits, but I worry when I see hits from just released 0.50 & 0.51 builds: union Office_Fluid_FluidRuntime_Error | where Data_error contains "0x122" | summarize count() by Data_eventName, Data_docId, Data_loaderVersion The doc I hit it with is this: https://www.office.com/launch/fluid/content?auth=2&action=edit&drive=b!70_cNOFlWEyzRzEcCorMTZAND7s98E5GvCj7qsbvKwKg49qsUtgNRYr38F2hc1Tg&item=01CGOBCIFXGRNNC4I7TVALTGYILMXTBAOZ&file=https:%2F%2Fmicrosoft-my.sharepoint-df.com%2Fpersonal%2Fkening_microsoft_com&siteUrl=https:%2F%2Fmicrosoft-my.sharepoint-df.com%2Fpersonal%2Fkening_microsoft_com Not sure if it's shared with everybody or just me, but if it's not shared widely, we can share it. Also note that Ke reported that he can still open it with old version of local code, so it feels like there is some bug in latest release(s)? Can you please take a look? Answers: username_0: I also downloaded this file, so have op stream, can share if needed username_1: If anyone needs me to share this file, please ping me. I will leave this file alone and won't touch it. Right now I can NOT open this file on office.com, and I can NOT open it from fluidpreview.office.ne. But I can open it from dev.fluidpreview.office.net. username_2: I believe this change introduced it - https://github.com/microsoft/FluidFramework/pull/7811 A new ContainerMessageType type "Rejoin" was added. Older versions of runtime don't have this type so when they get this message which was generated by a newer runtime, they assert. @username_3 Can you fix this. We should also add validation around this. This should have been caught by our tests. username_2: Can you also enable full compat for these tests - https://github.com/microsoft/FluidFramework/blob/b086e1187d2af923d22882ba4b274822ddf67fc0/packages/test/test-end-to-end-tests/src/test/stashedOps.spec.ts username_3: Shouldn't this prevent that from happening: https://github.com/microsoft/FluidFramework/blob/8e451ad7cbb58029a5a1ea32c918e1acccdc3175/packages/runtime/container-runtime/src/containerRuntime.ts#L1438 username_0: If this is confirmed to be latest regression, I'd love to ask you to focus on quick mitigation first - I really do not want to see more documents being corrupted (even if it's temporarily before new code is deployed) - user experience sucks. Worth starting a thread on LiveSite channel? I assume that made it to prod, right? username_2: That check is done before unpacking the message to ContainerMessageType. So, there the type is MessageType.Operation. username_2: Looks like it went in 0.51. We should release a patch with fix for 0.51 and 0.52. username_2: Create an issue to add validation for this - https://github.com/microsoft/FluidFramework/issues/8409 Status: Issue closed
ankitbatra11/wheelie
812601515
Title: SinglePermissionGrantResult visibility Question: username_0: Make following variables public: ``` static final SinglePermissionGrantResult GRANTED = new SinglePermissionGrantResult(true); static final SinglePermissionGrantResult DENIED = new SinglePermissionGrantResult(false); ``` Status: Issue closed Answers: username_0: `SinglePermissionGrantResult` supposed to be created by the library.
department-of-veterans-affairs/va.gov-team
551018492
Title: Correct casing issue with redirects Question: username_0: There are a number of redirects in place that are not entirely working due to casing issues. We need to resolve how to handle the redirects so that all casing is impacted and determine the preferred way to document redirect requests so we catch these issues. Answers: username_0: @username_1 is this resolved? If so, can you provide some detail around the solution? username_1: It's sort of resolved. We've been implementing this on a case-by-case basis when we write the redirects, so we should be seeing it work okay on most if not all `.asp` pages. To apply this case-insensitive behavior globally, I think would be a DevOps task for VSP username_2: Grooming 2020-02-19 - the case-by-case approach is creating tech debt for the vsp team - @username_0 @meganhkelley believe it would be up to you prioritize the global change - removing public websites label username_3: Hey @brianalloyd I think we can close this since we're handling various casing now for same domain redirects username_0: This is an oldie! I'm going to hang on to this issue and validate whether anything additional needs to be done.
EDDiscovery/EDDiscovery
240553515
Title: Unknown materials/data entries Question: username_0: The new materials and data added in 2.3.10 are not correctly recognized in the materials panel, see attached screenshot taken in 8.0.9.0: ![image](https://user-images.githubusercontent.com/25147462/27851919-37d966f4-615d-11e7-87a7-e1e58c9f2e8e.png) The in-game names and information are: Unknown Structural Data - data, grade 2 Unknown Material Composition Data - data, grade 3 Unknown Carapace - material, grade 5 Unknown Energy Cell - material, grade 3 Unknown Technology Components - material, grade 4 Unknown Residue Data Analysis - data, grade 4 Unknown Organic Circuitry - material, grade 5 Answers: username_1: Are you sure the materials are materials? I added them to EDSM but still receive them as part of the Data API. I'll need to check which software sends them like that. And if you could past your journal, it would be appreciated. username_0: Pretty sure about the material/data breakdown. In-game screenshot of the materials panel: ![image](https://user-images.githubusercontent.com/25147462/28005844-fa082876-654c-11e7-84c2-6482f71eb291.png) And the data panel: ![image](https://user-images.githubusercontent.com/25147462/28005872-18ad6ffc-654d-11e7-8d60-2ae4e16669f7.png) I can give you the journal files, will ping on discord to organize details. username_2: In the materials window, "Encoded" means it's data, while "Manufactured" means it's materials. EDDiscovery just needs the name mapping in EDDiscovery/EliteDangerous/MaterialCommodities.cs * Data: Tg Structuraldata -> Unknown Structural Data * Data: Tg Compositiondata -> Unknown Material Composition Data * Data: Tg Residuedata -> Unknown Residue Data Analysis * Material: Unknowncarapace -> Unknown Carapace * Material: Unknownenergycell -> Unknown Energy Cell * Material: Unknowntechnologycomponents -> Unknown Technology Components * Material: Unknownorganiccircuitry -> Unknown Organic Circuitry ``` AddEnc("Unknown Structural Data", "Common", "USD", "Tg Structuraldata"); AddEnc("Unknown Material Composition Data", "Standard", "UMCD", "Tg Compositiondata"); AddEnc("Unknown Residue Data Analysis", "Rare", "URDA", "Tg Residuedata"); AddManu("Unknown Energy Cell", "Standard", "UEC"); AddManu("Unknown Technology Components", "Rare", "UTC"); AddManu("Unknown Carapace", "Very Rare", "UC"); AddManu("Unknown Organic Circuitry", "Very Rare", "UOC"); ``` username_3: Pushed this fix to 8.1, reviewed ED Data. Status: Issue closed
HumanitiesDataAnalysis/hathidy
913708134
Title: Unknown or uninitialised column: `htid` when using a list . Question: username_0: Hello Ben, I followed your vignette at https://humanitiesdataanalysis.github.io/hathidy/articles/Hathidy.html, but when I tried to pull the counts for all the Gibbon's books with ```gibbon_books = hathi_counts(gibbon, cols = c("page", "token")) %>% inner_join(gibbon_vols)``` I got error ```` by must be supplied when `x` and `y` have no common variables. ℹ use by = character()` to perform a cross-join. Run `rlang::last_error()` to see where the error occurred. In addition: Warning message: Unknown or uninitialised column: `htid`. ``` I was able to work with your script on an individual item, "nyp.33433081597290" but not on the whole set. Answers: username_1: Oops, my apologies. It looks like I neglected to update the pkgdown pages with the vignettes when the rest of the package was bumped from 1.0 to 2.0. Let me see what I can do about that. username_1: OK, the website is updated to 2.0 with an additional vignette that shows the use of quanteda functions on Hathi wordcounts. But it looks like there was also a missing merge from the dev branch fixing a conflict between the old id name ("id") and the new one("htid"). So if you reinstall from github, it should work now. username_0: Thank you for looking into this. That was super fast. I have reinstalled the package, but I am still not getting the dataframe. The json files are downloaded into the local directory as expected, but the "unknown or uninitialised column: `htid`." warning persists. ![Screenshot from 2021-06-07 15-31-07](https://user-images.githubusercontent.com/58965040/121077321-7ddb7e00-c7a5-11eb-90e9-c5f4c2b1ceef.png) ![Screenshot from 2021-06-07 15-34-48](https://user-images.githubusercontent.com/58965040/121077678-ed516d80-c7a5-11eb-9441-4ef8d9542818.png) username_1: Hmm, weird. What kind of system is this? Those feather files should not be zero bytes, you're right to flag it. Maybe try: 1. Completely deleting the folder at `Desktop/hathiTrust_intro/hathi-features/`, restarting R, trying again; 2. arrow::arrow_info() to see if you have a version of arrow > 2.0 and if zstd compression is enabled. 3. `gibbon_books = hathi_counts(gibbon, cols = c("page", "token"), cache=FALSE) %>% inner_join(gibbon_vols)` which should run but substantially slower than the feather caching. username_0: Thanks, Ben for your quick response and the pointers. I am on Ubuntu 21.04; R version 4.0.4 (2021-02-15); RStudio Version 1.4.1106 It seems that it can be all linked to the arrow package. After I run the arrow::arrow_info() function, all the compression methods were to set to FALSE, so I reinstalled the package with install_arrow(binary = FALSE, minimal = FALSE), following https://stackoverflow.com/questions/63096059/how-to-get-the-arrow-package-for-r-with-lz4-support. Once the I reinstalled the arrow package, everything works and the feather have non-zero sizes. ``` ├── [ 3059234 Jun 8 09:19] nyp.33433081597191.feather ├── [ 236415 Jun 8 09:19] nyp.33433081597191.json.bz2 ├── [ 2409754 Jun 8 09:19] nyp.33433081597290.feather └── [ 193192 Jun 8 09:19] nyp.33433081597290.json.bz2 ```
kalexmills/github-vet-tests-dec2020
768431511
Title: itsivareddy/terrafrom-Oci: oci/core_security_list_test.go; 16 LoC Question: username_0: [Click here to see the code in its original context.](https://github.com/itsivareddy/terrafrom-Oci/blob/075608a9e201ee0e32484da68d5ba5370dfde1be/oci/core_security_list_test.go#L613-L628) <details> <summary>Click here to show the 16 line(s) of Go which triggered the analyzer.</summary> ```go for _, securityListId := range securityListIds { if ok := SweeperDefaultResourceId[securityListId]; !ok { deleteSecurityListRequest := oci_core.DeleteSecurityListRequest{} deleteSecurityListRequest.SecurityListId = &securityListId deleteSecurityListRequest.RequestMetadata.RetryPolicy = getRetryPolicy(true, "core") _, error := virtualNetworkClient.DeleteSecurityList(context.Background(), deleteSecurityListRequest) if error != nil { fmt.Printf("Error deleting SecurityList %s %s, It is possible that the resource is already deleted. Please verify manually \n", securityListId, error) continue } waitTillCondition(testAccProvider, &securityListId, securityListSweepWaitCondition, time.Duration(3*time.Minute), securityListSweepResponseFetchOperation, "core", true) } } ``` </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: 0<PASSWORD><issue_closed> Status: Issue closed
btcpayserver/btcpayserver-docker
783797139
Title: Error [Errno 2] No such file or directory: '...Generated/docker-compose.generated.yml' Question: username_0: Hello guys, I am installing BTCPayserver on a virtual machine with centos 8. When I run the following statement: ``` export BTCPAY_HOST="btcpayserver.mydomain.com" export BTCPAYGEN_SUBNAME="nodobtcpay" export NBITCOIN_NETWORK="mainnet" export BTCPAYGEN_CRYPTO1="btc" export BTCPAYGEN_CRYPTO2="doge" export BTCPAYGEN_ADDITIONAL_FRAGMENTS="opt-more-memory;opt-add-btcqbo;opt-add-woocommerce;opt-add-tor;opt-add-btctransmuter;opt-add-configurator" export BTCPAYGEN_REVERSEPROXY="nginx" export BTCPAY_ENABLE_SSH=true export LETSENCRYPT_EMAIL="<EMAIL>" export REVERSEPROXY_HTTP_PORT=80 export REVERSEPROXY_HTTPS_PORT=443 export REVERSEPROXY_DEFAULT_HOST=443 export TOR_RELAY_NICKNAME="testnetwork" export TOR_RELAY_EMAIL="<EMAIL>" export WOOCOMMERCE_HOST="shop.mydomain.com" . ./btcpay-setup.sh -i ``` I get the following error: ``` -------SETUP----------- Parameters passed: BTCPAY_PROTOCOL:https BTCPAY_HOST:btcpayserver.mydomain.com BTCPAY_ADDITIONAL_HOSTS: REVERSEPROXY_HTTP_PORT:80 REVERSEPROXY_HTTPS_PORT:443 REVERSEPROXY_DEFAULT_HOST:443 LIBREPATRON_HOST: ZAMMAD_HOST: WOOCOMMERCE_HOST:shop.mydomain.com BTCTRANSMUTER_HOST: BTCPAY_ENABLE_SSH:true BTCPAY_HOST_SSHKEYFILE: LETSENCRYPT_EMAIL:<EMAIL> NBITCOIN_NETWORK:mainnet LIGHTNING_ALIAS: BTCPAYGEN_CRYPTO1:btc BTCPAYGEN_CRYPTO2:doge BTCPAYGEN_CRYPTO3: BTCPAYGEN_CRYPTO4: BTCPAYGEN_CRYPTO5: BTCPAYGEN_CRYPTO6: BTCPAYGEN_CRYPTO7: BTCPAYGEN_CRYPTO8: BTCPAYGEN_CRYPTO9: BTCPAYGEN_REVERSEPROXY:nginx BTCPAYGEN_LIGHTNING:none BTCPAYGEN_ADDITIONAL_FRAGMENTS:opt-more-memory;opt-add-btcqbo;opt-add-woocommerce;opt-add-tor;opt-add-btctransmuter;opt-add-configurator BTCPAYGEN_EXCLUDE_FRAGMENTS: BTCPAY_IMAGE: ACME_CA_URI:production TOR_RELAY_NICKNAME: protossnetwork [Truncated] postgres nbxplorer nginx-https Generated /app/Generated/pull-images.sh Generated /app/Generated/save-images.sh Generated /app/Generated/docker-compose.nodobtcpay.yml Adding btcpayserver.service to systemd BTCPay Server systemd configured in /etc/systemd/system/btcpayserver.service BTCPay Server starting... this can take 5 to 10 minutes... BTCPay Server started **ERROR:** .FileNotFoundError: [Errno 2] No such file or directory: '/root/BTCPayServer/btcpayserver-docker/Generated/docker-compose.generated.yml' **ERROR:** .FileNotFoundError: [Errno 2] No such file or directory: '/root/BTCPayServer/btcpayserver-docker/Generated/docker-compose.generated.yml' ``` what could be happening? Regards, Alex Answers: username_1: The support for `BTCPAYGEN_SUBNAME` isn't complete in the [setup script](https://github.com/btcpayserver/btcpayserver-docker/blob/master/btcpay-setup.sh). Using `export BTCPAYGEN_SUBNAME="nodobtcpay"` means the generated docker-compose file should be named `docker-compose.nodobtcpay.yml`, yet the output lists: ``` BTCPAY_DOCKER_COMPOSE=/root/BTCPayServer/btcpayserver-docker/Generated/docker-compose.generated.yml ``` then the generator has it right: ``` Generating /app/Generated/docker-compose.nodobtcpay.yml ``` The incorrect filename ends up also in `/etc/profile.d/btcpay-env.sh` and things go wrong. The fix might be something like [subname.txt](https://github.com/btcpayserver/btcpayserver-docker/files/6260335/subname.txt) username_0: Thanks for the reply. I understand that one of the solutions is not to put the subname to use the default generator and the other solution is by modifying the parameters located in the file: /btcpay-env.sh?. In the case of placing a value of subname, the generator would enter the "else" of the conditional applying the instruction: `+ BTCPAY_DOCKER_COMPOSE="$(pwd)/Generated/docker-compose.${BTCPAY_SUBNAME:-generated}.yml"` So the new path should be: `BTCPAY_DOCKER_COMPOSE=/root/BTCPayServer/btcpayserver-docker/Generated/docker-compose.nodobtcpay.yml ` Why is this route not updated and the default route is still displayed? Deberia reemplazarlo por la ruta: `BTCPAY_DOCKER_COMPOSE=/app/Generated/docker-compose.nodobtcpay.yml` ? Thanks
CollaboraOnline/Docker-CODE
371454941
Title: PHP Error after upgrade Question: username_0: After web upgrade, in `error.log` file we find a Fatal error: `[] PHP Fatal error: Cannot declare class GuzzleHttp\\Handler\\CurlFactory, because the name is already in use in /var/www/nextcloud/3rdparty/guzzlehttp/guzzle/src/Handler/CurlFactory.php on line 16 [] [core:notice] [pid 38987] AH00052: child pid 21739 exit signal Segmentation fault (11)` How we can solve this problem? Answers: username_1: Perhaps your issue is similar to this: https://github.com/nextcloud/server/issues/11278 I don't really understand what the problem is there... username_2: @username_0: What effect does this error have on CODE? Do office docs still open for you? username_0: @username_2 with this problem the documents don't open and in log file (error.log) find the previously fatal error username_2: @username_0: I see. I noticed a similar PHP error on my installation yesterday but in the end it was caused by a networking problem. Also, I was not getting a segfault, so this is unrelated. username_3: No the don't. I can't use Collabora anymore. https://help.nextcloud.com/t/collabra-failed-to-load-collabora-online-please-try-again-later/48486
allegro/ralph
37778335
Title: 'ascii' codec can't encode characters in position 6-10: ordinal not in range(128) Question: username_0: I create a venture role with property symbol name in Japanese (ja_JP.UTF-8). After that, info page (http://192.168.xxx.xxx:8000/ui/ventures/ossl_dev/info/1?) shows property symbol name in Japanese properly, but click the update button under the propetrty list, got an error "UnicodeEncodeError at /ui/ventures/ossl_dev/info/1" as below; 'ascii' codec can't encode characters in position 6-10: ordinal not in range(128) Request Method: POST Request URL: http://192.168.xxx.xxx:8000/ui/ventures/ossl_dev/info/1 Django Version: 1.4.13 Exception Type: UnicodeEncodeError Exception Value: 'ascii' codec can't encode characters in position 6-10: ordinal not in range(128) Exception Location: /home/ralph/local/lib/python2.7/site-packages/django/forms/forms.py in _clean_fields, line 289 Python Executable: /home/ralph/bin/python Python Version: 2.7.3 Python Path: ['/home/ralph/bin', '/home/ralph/local/lib/python2.7/site-packages/distribute-0.6.24-py2.7.egg', '/home/ralph/local/lib/python2.7/site-packages/pip-1.1-py2.7.egg', '/home/ralph/project/src', '/home/ralph/lib/python2.7', '/home/ralph/lib/python2.7/plat-linux2', '/home/ralph/lib/python2.7/lib-tk', '/home/ralph/lib/python2.7/lib-old', '/home/ralph/lib/python2.7/lib-dynload', '/usr/lib/python2.7', '/usr/lib/python2.7/plat-linux2', '/usr/lib/python2.7/lib-tk', '/home/ralph/local/lib/python2.7/site-packages'] Property type values in Japanese is no problem. Any suggestions would be appreciated. <NAME> Status: Issue closed Answers: username_1: Detailed info was not provided. Closing.
fluxcd/flux
709878281
Title: Flux on specific branch deployement. Question: username_0: Hi Team, I'm new to this Flux and trying to use deploy using flux to k8s. I have configured the flux and deployed using the flux to k8s and everythig working fine on master branch. But i did changes on my repo and pushed to "feature" branch for testing but the changes are not picking. Every time i have to raise PR and merge to master branch. Is there any way that i can apply the changes from any branch and verify the code changes on k8s using flux.. Please provide the steps or links that has worked. Thanks, Satya Answers: username_1: Fluxd is installed as a Deployment in the cluster. It's configured via flags. Fluxd syncs to 1 path in a git repo on a specific branch. This defaults to master. See the config docs to set your own branch: https://docs.fluxcd.io/en/1.20.2/references/daemon/#setup-and-configuration It seems like your main use-case is to deploy feature branches to a single, mutable environment. You'll want to think about your requirements for your development flow, but in your case, modifying the fluxd Deployment to point to a different branch is one way to accomplish this. username_1: If you'd like to have a single installation of flux syncing multiple branches from one or more repos, you can try out our work towards Flux v2 /w toolkit.fluxcd.io Please keep in mind that the gitops-toolkit is still in alpha and is undergoing constant iteration. We hope you are having fun trying out Flux and that it is valuable for you! Status: Issue closed username_2: I'll close this report as the behavior of Flux v1 in maintenance mode is fixed and cannot be changed in this way at this time. The GitOps Toolkit has matured significantly in the past 3 months, and now boasts feature parity at or above the usability of Flux v1 for most use cases. Manifest generation is one feature that currently lacks, as it could not be implemented securely within the design of Flux while still retaining the desired flexibility. I have shared this use case in the past, and I consider that one use for manifest generation is, to have CI consolidating and delivering the latest manifests commit from any arbitrary branch or tag into eg. the "deploy" branch, where a gitops-friendly record of your deployment history is maintained in a way that can be traced and understood in a straightforward, linear manner, showing what deploy was replaced by what next after every upgrade, and in a way that can be understood without resorting to hacks like sort by timestamp. As it was explained, flux deploys commits from a branch, and in Flux v2, similarly, manifests are deployed from a source, with branch semantics. If you want to deploy "just any commit, the latest from whatever branch" then currently, the design assumes you will have a CI tool that you want to use to build the commit from each branch, and it should remain agnostic about which CI tool. The CI system runs builds in order, and this can lead to some strange semantics around deploy order (like for example, what happens when two concurrent builds are executing and they finish out of order) it is a commonly accepted concession, developers following a trunk based style will often have a dev or staging environment that simply deploys "the latest commit from whatever branch it is." Follow me in #3433 for updates on this use case and how it can be solved in Flux v2 (or, ostensibly, with Flux v1.) Hope you are able to upgrade with us to Flux v2!
kataras/iris
410891554
Title: Possibility to get rid of "Now listening on [...]" Question: username_0: Hello. Is it possible to get rid of the following text on startup? ``` Now listening on: http://localhost:8080 Application started. Press CTRL+C to shut down. ``` It would be nice if it could return a type `error` instead and based on that the user could just print whatever he wants as needed. Answers: username_1: The `app.Run` already returns an error as well :) username_0: Oh. Thank you! I'll close it then, my bad! Status: Issue closed
kopia/kopia
863314886
Title: [Bug] [Kopia-UI] Policies not detected Question: username_0: I setup policies for a few directories on the UI, and I noticed that no matter what, the local policies never get detected. In order to ensure that it wasn't my configuration, I used the same policy and repository on the CLI and it works as expected. For instance, on my ~, I set the following policies: ```terminal kopia policy set --add-ignore .cache . kopia policy set --add-ignore .cargo . kopia policy set --add-ignore .steam . kopia policy set --add-ignore .local/share/baloo . kopia policy set --add-ignore .local/share/Steam . ``` Running `kopia snapshot estimate .` results in: ```terminal ... <removed> ... Snapshots excludes 5 directories. Examples: - ./.cache - ./.cargo - ./.steam - ./.local/share/Steam - ./.local/share/baloo ``` So this works as expected. Now connecting the same repo using Kopia-UI (AppImage) and using the estimate option, I get: ```terminal 20:16:13.983 | found 0 policies for @ 20:16:13.991 | excluded dir ./.cache/fontconfig 20:16:14.006 | excluded dir ./.cache/kopia/9492d4031dab361c ``` It appears that no matter what, the policies are not detected. I also noticed that it says `found 0 policies for @`. Perhaps there is a bug parsing the path? Answers: username_1: How are you connecting to the repository using Kopia-UI? is it using the repository server or directly? username_1: btw, I think I can reproduce this locally, I'll to fix it tonight when I have a bit more time. username_0: @username_1 Woops, should have mentioned it is a direct connection (local filesystem repo). Status: Issue closed
LordOfMice/hidusbf
796116958
Title: Windows 10 x64 Without forcing unsigned drivers Question: username_0: There is a way to overclock my mouse and keyboard without forcing unsigned drivers? If i force unsigned drivers i can't play games protected by Anti Cheats like Apex Legends and Valorant... Answers: username_1: Depends on device you try to overclock. Drivers from hidusbf are signed and can run everywhere. Drivers and patches from hidusbfn are unsigned and need TestMode or atsiv to load. Status: Issue closed
lucasdurand/pos-book-cipher
467919538
Title: Re-forming string misplaces punctuation Question: username_0: ``` Would prefer getting back: 'that quick test revealing "quotes" of "power" though I must every more' This can also happen with line breaks resulting in things like: nah nah nah nah nah ...
LingYanSi/blog
103671090
Title: 写一个chrome插件 Question: username_0: 以前上草榴的时候,想去下载种子,但有可能会找很长时间。 于是便想着,是不是可以写一个chrome插件来解决这个问题呢? 这件事情,放了很久,这两天换工作,有事件,就来实践一下。 1. 既然要些插件,就要看看一看chrome的开发者文档,360有中文翻译,但比较老旧 [这里有个比较好的教程](https://crxdoc-zh.appspot.com/extensions/getstarted) 2. 调试 调试是件比较头疼的事情,好在chrome提供了相对简单的方法 打开插件页面后,左上角有一个【打包扩展程序】的按钮,点击后可选取相对应的文件夹,以及一个以【.pem】结尾的文件,一路确认,就生成了一个【.crx】文件。然后就是拖动安装了。 Answers: username_0: 以前上草榴的时候,想去下载种子,但有可能会找很长时间。 于是便想着,是不是可以写一个chrome插件来解决这个问题呢? 这件事情,放了很久,这两天换工作,有事件,就来实践一下。 1. 既然要些插件,就要看看一看chrome的开发者文档,360有中文翻译,但比较老旧 [这里有个比较好的教程](https://crxdoc-zh.appspot.com/extensions/getstarted) 2. 调试 调试是件比较头疼的事情,好在chrome提供了相对简单的方法 打开插件页面后,左上角有一个【打包扩展程序】的按钮,点击后可选取相对应的文件夹,以及一个以【.pem】结尾的文件,一路确认,就生成了一个【.crx】文件。然后就是拖动安装了。 username_0: [一个demo](https://github.com/username_0/username_0.github.io/tree/master/demo/chrome-extend) username_0: ### manifest.json配置文件说明
mkjeff/secs4net
403457242
Title: core folder in secs4net project SECSGEM.cs use error Question: username_0: Hi. I'm trying to use only the secs4net project in the core folder. However, an error occurs. In the SecsGem.cs file, at line 430 'System.IO.FileNotFoundException' (Secs4net.dll) An error occurs. Do you need to include other projects? Answers: username_0: -----------------add -------------- SecsGem.cs line 430 in MessageHeader create error new MessageHeader(deviceId: 0xFFFF, messageType: msgType, systemBytes: systembyte).EncodeTo(new byte[10]); EncodeTo(new byte[10]) Running this code will result in an error i use visual studio 2017 and framework 4.7.1 username_1: It's easy to fix. You just need to add System.Memory assembly to your project. Status: Issue closed username_2: @username_1 @username_0 i got an issue which is that "system.memory version=4.0.1" could not be loaded. details info as below: ``` System.IO.FileNotFoundException: could not load...“System.Memory, Version=4.0.1.1, Culture=neutral, PublicKeyToken=<KEY>” Filename:“System.Memory, Version=4.0.1.1, Culture=neutral, PublicKeyToken=<KEY>” at Secs4Net.StreamDecoder.<.ctor>g__GetMessageHeader|23_1(Int32& length, Int32& need) at Secs4Net.StreamDecoder.<.ctor>g__GetTotalMessageLength|23_0(Int32& length, Int32& need) at Secs4Net.StreamDecoder.Decode(Int32 length) at Secs4Net.SecsGem.<.ctor>g__SocketReceiveEventCompleted|84_9(Object sender, SocketAsyncEventArgs e) ``` secs4net project info: target framework: .Net Standard 2.0 vs 2017 please advice username_2: the issue has been solved. we have to specify the `System.Memory` version in project `"SecsDevice"`, and it will override the default `System.Memory` verson
dnnsoftware/Dnn.Platform
372373964
Title: Install packages don't have alphabetically file-lists on nas system Question: username_0: ## Description website files hosted on a some certain nas system, which will cause Directory.GetFiles not return alphabetically file-lists. ## Steps to reproduce install the website which files hosted on a special nas system. ## Current result the packages install order will be randomly but not in alphabetically order. ## Expected result packages should install with in alphabetically order. ## Affected version * [x] All Versions Answers: username_1: An interesting edge case. I'm curious however how this is impacting us. Why is the order important? Status: Issue closed username_2: Some of the packages need to be installed in a certain order, especially for Evoq, e.g. Platform before Evoq Content, so that Evoq Content can override the HTML module and other components. The prefix used to differentiate the types of packages maintains that order. username_1: That is pure horror. The order should be based on dependencies and not prefixes :) username_2: 🙀
Taritsyn/JavaScriptEngineSwitcher
338268192
Title: ChakraCore 3.0.0 Beta 2 AccessViolationException in JsRt.JsContext.RunScript Question: username_0: Registered the once-off AV in ChakraCore.dll 3.0.0 Beta 2 running under .Net 2.1.1 on Windows 2012 r2. Wondering if this beta 5 commit https://github.com/username_1/JavaScriptEngineSwitcher/commit/3cd1b1696d8e1c3981173fb89c009e12f6651e81 has anything to do with AV potential or not related. Thanks! The exception call stack: ``` ntdll.dll!RtlpExecuteHandlerForException() ntdll.dll!RtlDispatchException() ntdll.dll!KiUserExceptionDispatch() ChakraCore.DLL!00007ff868a3dc84() ChakraCore.DLL!00007ff868a415c1() ChakraCore.DLL!00007ff86887748d() ChakraCore.DLL!00007ff868885e10() ChakraCore.DLL!00007ff8688734d2() ChakraCore.DLL!00007ff8688720d7() ChakraCore.DLL!00007ff868875211() ChakraCore.DLL!00007ff868871ba5() ChakraCore.DLL!00007ff868a55192() ChakraCore.DLL!00007ff868a3bf92() ChakraCore.DLL!00007ff86873dd44() ChakraCore.DLL!00007ff86870aa8f() ChakraCore.DLL!00007ff868702ea4() ChakraCore.DLL!00007ff8686bec9d() ChakraCore.DLL!00007ff8686edd5e() ChakraCore.DLL!00007ff8686a8d55() ChakraCore.DLL!00007ff8686a84eb() ChakraCore.DLL!00007ff868a3bf92() ChakraCore.DLL!00007ff86873dd44() ChakraCore.DLL!00007ff86870a424() ChakraCore.DLL!00007ff8687026e4() ChakraCore.DLL!00007ff8686b79c2() ChakraCore.DLL!00007ff8686c0d26() ChakraCore.DLL!00007ff8686edd5e() ChakraCore.DLL!00007ff8686a8d55() ChakraCore.DLL!00007ff8686a84eb() ChakraCore.DLL!00007ff868a3bf92() ChakraCore.DLL!00007ff86873dd44() ChakraCore.DLL!00007ff868739093() ChakraCore.DLL!00007ff868739018() ChakraCore.DLL!00007ff868a26208() ChakraCore.DLL!00007ff868a335ff() ChakraCore.DLL!00007ff868a25ac1() ChakraCore.DLL!00007ff868a263c7() JavaScriptEngineSwitcher.ChakraCore.dll!JavaScriptEngineSwitcher.ChakraCore.JsRt.JsContext.RunScript(string script, JavaScriptEngineSwitcher.ChakraCore.JsRt.JsSourceContext sourceContext, string sourceName) JavaScriptEngineSwitcher.ChakraCore.dll!JavaScriptEngineSwitcher.ChakraCore.ChakraCoreJsEngine.InnerEvaluate.AnonymousMethod__0() JavaScriptEngineSwitcher.ChakraCore.dll!JavaScriptEngineSwitcher.ChakraCore.ScriptDispatcher.Invoke.AnonymousMethod__0() JavaScriptEngineSwitcher.ChakraCore.dll!JavaScriptEngineSwitcher.ChakraCore.ScriptDispatcher.StartThread() System.Threading.Thread.dll!System.Threading.Thread.ThreadMain_ThreadStart() System.Private.CoreLib.dll!System.Threading.ExecutionContext.RunInternal(System.Threading.ExecutionContext executionContext, System.Threading.ContextCallback callback, object state) kernel32.dll!BaseThreadInitThunk() ntdll.dll!RtlUserThreadStart() ``` Answers: username_1: Hello, Sergiy! Try to upgrade to [version 3.0.0 Beta 7](https://github.com/username_1/JavaScriptEngineSwitcher/releases/tag/v3.0.0-beta.7). username_0: Hi Andrey This is what we've done. I'll update the case if we run into any issues. Anyhow, can you tell for sure if this particular AV scenario has been resolved in the latest version? Thanks username_1: Such a error was not fixed, but implementation of `RunScript` method was seriously changed. username_0: Closing the issue because the crash of this nature hasn't been observed in a while (after the version upgrade). Status: Issue closed
microsoft/coe-starter-kit
955856051
Title: [CoE Starter Kit - BUG] : Missing historical data & Solution Job Runs Question: username_0: ### Describe the issue Hello, This is a follow up to ticket #640. After updating the CoE to its latest version, we still are unable to see some historical data through the Power BI dashboard. We would just like to see if there are any other options to try to retrieve this data, if possible. I have also found that some of the flows behind the Core Components solution are taking a long time to run. Main example being Admin | Sync Template v3 (Flows) - there are some jobs that have been running for 2+ days. I haven't encountered this issue before with other versions. Can you please provide assistance as to what the next steps are to resolve this and further prevent long running jobs like this in the future? Thank you! ### Expected Behavior I thought the update would help clear up some missing historical we couldn't see where users said that they're using certain connectors for apps. We're still unable to see it, what is the expected behavior? ### What solution are you experiencing the issue with? Core ### What solution version are you using? 2.2.20210707.3 ### What app or flow are you having the issue with? Admin | Sync Template v3 (Flows) ### Steps To Reproduce _No response_ ### Anything else? It's not letting me gather a screen shot of the different jobs running in the Admin | Sync Template v3 (Flows) right now, but will try to post it later if I can. Answers: username_1: What do you mean by historical data? For the long run, please see #917 username_0: Hi Jenefer, Thank you for providing info on #917 - I do have some questions regarding this but I'm guessing I will need to put in a separate ticket, is that correct? When speaking about historical data, we had an issue in the past where users said they were using particular connectors, but we couldn't (and still cannot) see those analytics through the CoE dashboard. It sounded like the CoE version update may help resolve those issue but we are without luck in retrieving the connector data for some of these users. I was able to run an app test that verified that one of the connectors a user has used shows up behind CoE for me, but still nothing from them. I think you had suggested to verify if the Power Platform Admin View app could show the user data and it did - but for whatever reason it wasn't/isn't translating to CoE dashboard. username_1: Got it, so the issue is that the PBI is not showing connection references but the data is correct (aka they are showing in the MDA). Assigning to Manuela to take a look. Yes if you have an issue other than this one, please post separately. username_2: Hello, I will need a bit more details to help you here. What specific page are you looking at in the Power BI Dashboard? Are you on the very latest version of the dashboard - https://github.com/microsoft/coe-starter-kit/raw/main/CenterofExcellenceResources/Release/Collateral/CoEStarterKit/CDSLegacy_CoEDashboard_202107_v2.pbit? Thank you Manuela username_0: Hi Manuela, This was under the Connections area of the Power BI Dashboard. I do have the CDSLegacy_CoEDashboard_202107.pbit installed, last modification was 7/8/2021 for that file. Should I be running v2 instead? username_2: Yes please, there were some known issues with the 202107.pbit version that were fixed with the _v2.pbit. If you could try that instead and let me know if you continue to see issues, that would be great! username_0: Hi Manuela, Sounds good - I will try to update today/tomorrow and let you know. Thank you! username_0: Hi Manuela, quick question. With #917 am I creating a support ticket here to raise the throttle limit, or does it need to be placed elsewhere? Just wanted to confirm first before making one. Thank you! username_2: Hello - it has to be a support request through the Power Platform Admin Center: https://docs.microsoft.com/en-us/power-platform/admin/get-help-support#view-solutions-or-enter-a-support-request-through-the-new-support-center username_0: Thanks Manuela, I spoke with MSFT about this as well. I think it's safe to close this one out, so I will go ahead and do so. Thank you! Status: Issue closed
FAForever/downlords-faf-client
441279219
Title: Show years in player rating history Question: username_0: The player rating history shows dates below the graph which can get pretty useless if the history spans multiple years. ![](http://forums.faforever.com/download/file.php?id=16509) Answers: username_1: I would like to add that right now X is not a function of time, but a function of number of games. This is partly why it looks this strange. While that is ok I guess, I would much rather prefer it being a function of time, or atleast have the option of doing it that way. I want to see my rating being a straight line if I am not playing any games :D username_1: This is basically the same as #935 Status: Issue closed
tari-project/tari
673575421
Title: Delay between serializing and buffering in the comms stack Question: username_0: **Describe the bug** The time that is taken between `[comms::dht::serialize] TRACE Serializing outbound message` and `[comms::protocol::messaging::outbound] DEBUG Buffering outbound message` in the comms stack shows big delays. See the example below where two messages have been traced. ``` 2020-08-05 12:57:09.692740400 [comms::dht::serialize] TRACE Serializing outbound message MessageTag(9612750584833995996) for peer `9bd99c67213815c9` 2020-08-05 13:21:11.929191600 [comms::protocol::messaging::outbound] DEBUG Buffering outbound message (tag = Tag#9612750584833995996, 170054 bytes) for peer `9bd99c67213815c9` ``` ``` 2020-08-05 12:55:09.689771800 [comms::dht::serialize] TRACE Serializing outbound message MessageTag(8548633173114369625) for peer `9bd99c67213815c9` 2020-08-05 13:21:11.929191600 [comms::protocol::messaging::outbound] DEBUG Buffering outbound message (tag = Tag#8548633173114369625, 134353 bytes) for peer `9bd99c67213815c9` ``` When tracking this at node startup, with a big wallet, and some pending transactions that need to be sent, it is evident that these two services are not running optimally in an asynchronous manner, as if there is something that holds them up. The order of events in this example was: - UTXO query from wallet to base node - Re-sending all pending Txs after UTXO queries were successful [serializing-buffering-delay-01.log](https://github.com/tari-project/tari/files/5028918/serializing-buffering-delay-01.log) [serializing-buffering-delay-02.log](https://github.com/tari-project/tari/files/5028920/serializing-buffering-delay-02.log) [serializing-buffering-delay-query.log](https://github.com/tari-project/tari/files/5028944/serializing-buffering-delay-query.log) **To Reproduce** This happened at node startup and during Tx stress testing. **Expected behavior** The time taken between `[comms::dht::serialize] TRACE Serializing outbound message` and `[comms::protocol::messaging::outbound] DEBUG Buffering outbound message` in the comms stack should be very very quick. **Screenshots** n/a **Desktop (please complete the following information):** Windows 10 **Smartphone (please complete the following information):** n/a **Additional context** n/a Answers: username_1: Think this is fixed in #2127 and #2132. Closing Status: Issue closed
TheCoder4eu/BootsFacesWeb
220729665
Title: Separate ButterFaces and PrimeFaces pages to different wars Question: username_0: Having PrimeFaces, ButterFaces and OmniFaces along with BootsFaces on the showcase clutters the classpath and we run the risk of some of those libraries changing some behavior without our knowledge. I propose to separate the showcase into 3 different wars, deployed on the following context roots: - /showcase: bootsfaces+omnifaces - /showcase/primefaces: bsf+of+primefaces - /showcase/butterfaces: bsf+of+butterfaces I think we can remain using OmniFaces as it is a must for every new JSF application anyway. It solves some problems and I think we should even recomend to use it. I think Maven can be instructed to output different artifacts from just one compilation like if it was an EAR. Answers: username_1: Another option is to drop support for ButterFaces because of two reasons: we don't have enough developers to really support it, and BootsFaces has recently acquired many components previously offered exclusively by ButterFaces. On the other hand, I'm not sure I really want to do this to Lars Michaelis. username_0: ButterFaces link has been removed on https://github.com/TheCoder4eu/BootsFacesWeb/commit/528061790c8b50aa7294318df6ca689154075a9d Can the dependency be removed? I'm just seeking for a cleaner classpath
gollum/gollum
45618162
Title: How to enable AsciiDoc include:: in Gollum wiki? Question: username_0: It is my knowledge that the include:: macro was disabled due to security reasons in Gollum. We are planning to host the Gollum wiki internally. And as such there is no major concern regarding security. We would like to enable this feature as a lot of our earlier AsciiDoc documents use it. Can you point out where the modifications need to happen (am complete n00b to Ruby)? Thanks. Answers: username_1: @username_0, what did you need to do to enable asciidoctor's safe mode? username_0: @username_1 you need to search for markups.rb in github-markup gem; look for method call to Asciidoctor.render (this is the core rendering method which converts your markup to html). the 2nd parameter (:safe =>) you can change to any of the following: A value of 0 (UNSAFE) disables any of the security features enforced by Asciidoctor (Ruby is still subject to its own restrictions). A value of 1 (SAFE) closely parallels safe mode in AsciiDoc. In particular, it prevents access to files which reside outside of the parent directory of the source file and disables any macro other than the include macro. A value of 10 (SERVER) disallows the document from setting attributes that would affect the conversion of the document, in addition to all the security features of SafeMode::SAFE. For instance, this value disallows changing the backend or the source-highlighter using an attribute defined in the source document. This is the most fundamental level of security for server-side deployments (hence the name). A value of 20 (SECURE) disallows the document from attempting to read files from the file system and including the contents of them into the document, in addition to all the security features of SafeMode::SECURE. In particular, it disallows use of the include::[] macro and the embedding of binary content (data uri), stylesheets and JavaScripts referenced by the document. (Asciidoctor and trusted extensions may still be allowed to embed trusted content into the document). username_1: This modification, while easy enough to do, is less than ideal. While, I see that gollum-lib's `gemspec.rb` enforces a constraint on the github-markup gem (v.1.3.3), what happens if and when gollum-lib switches to a newer version of the github-markup gem? I'll need to remember that I made this change to v1.3.3 and apply it to vMa.Mi.P. Moreover, this setting affects all code that relies on this gem (admittedly few). Ideally, there would be a wiki-specific setting that would alter this setting just for the wiki. username_2: @username_1, this being ruby, of course you don't need to edit any of `github-markup`'s source. Something like the following should work (untested) inside gollum's `config.rb`: ```ruby require 'github/markup' GitHub::Markup.markups.delete_if {|x| x.regexp == /asciidoc/} base_url = 'http://localhost/wiki' # Your wiki's base url GitHub::Markup.markup do |content| Asciidoctor.render(content, :safe => :safe, :attributes => %w(showtitle idprefix idseparator=- env=github env-github source-highlighter=html-pipeline)) end ``` username_3: The code above results in: ``` /var/lib/gems/2.1.0/gems/github-markup-1.3.3/lib/github/markup.rb:29:in `markup': wrong number of arguments (0 for 2..3) (ArgumentError) from /mnt/winbook/config.rb:4:in `<top (required)>' from /usr/lib/ruby/2.1.0/rubygems/core_ext/kernel_require.rb:55:in `require' from /usr/lib/ruby/2.1.0/rubygems/core_ext/kernel_require.rb:55:in `require' from /var/lib/gems/2.1.0/gems/gollum-4.0.0/bin/gollum:201:in `<top (required)>' from /usr/local/bin/gollum:23:in `load' from /usr/local/bin/gollum:23:in `<main>' ``` I'm afraid I don't have sufficient Ruby expertise to resolve. username_4: @username_3 The correct snippet is now [in the wiki](https://github.com/gollum/gollum/wiki/Formats-and-extensions#changing-github-markups-default-renderings-settings-eg-turning-asciidoctors-safe-mode-on). username_5: I am facing the same issue cannot find the correct snippet in the above link. Please help. username_4: The snippet was deleted from the above mentioned wiki page for reasons I don't know, so perhaps this no longer works, but here it is (found in the page's revisions btw). ```ruby GitHub::Markup.markups.reject! {|markup| markup.regexp.to_s == '(?-mix:adoc|asc(iidoc)?)' } GitHub::Markup.markup(:asciidoctor, /adoc|asc(iidoc)?/) do |content| Asciidoctor::Compliance.unique_id_start_index = 1 Asciidoctor.convert(content, :safe => :safe, :attributes => %w(showtitle=@ idprefix idseparator=- env=github env-github source-highlighter=html-pipeline)) end ``` username_5: Thanks for the snippet you gave but it does not work with gollum v 4.1.4 . /wiki/config.rb:3:in `block in <top (required)>': undefined method `regexp' for :markdown:Symbol (NoMethodError) from /wiki/config.rb:3:in `reject!' from /wiki/config.rb:3:in `<top (required)>' from /usr/local/lib/ruby/2.7.0/rubygems/core_ext/kernel_require.rb:92:in `require' from /usr/local/lib/ruby/2.7.0/rubygems/core_ext/kernel_require.rb:92:in `require' from /usr/local/bundle/gems/gollum-4.1.4/bin/gollum:251:in `<top (required)>' from /usr/local/bundle/bin/gollum:23:in `load' from /usr/local/bundle/bin/gollum:23:in `<main>' What version you are using? username_4: I'm on 5.0.1b, but as I said, I just dug up this snippet from the wiki, I haven't tested it. username_5: Thanks for the timely reply. If you have time to test it, it will be great. I don't know ruby very well. Thanks again. username_5: I fixed the above snippet issue and here is the tested snippet: ``` GitHub::Markup.markups.reject! {|_name, markup| markup.regexp.to_s == '(?-mix:adoc|asc(iidoc)?)' } GitHub::Markup.markup(:asciidoc, :asciidoctor, /adoc|asc(iidoc)?/, ["AsciiDoc"]) do |filename, content, options: {}| attributes = { 'showtitle' => '@', 'idprefix' => '', 'idseparator' => '-', 'sectanchors' => nil, 'env' => 'github', 'env-github' => '', 'source-highlighter' => 'html-pipeline' } if filename attributes['docname'] = File.basename(filename, (extname = File.extname(filename))) attributes['docfilesuffix'] = attributes['outfilesuffix'] = extname else attributes['outfilesuffix'] = '.adoc' end Asciidoctor::Compliance.unique_id_start_index = 1 Asciidoctor.convert(content, :safe => :safe, :attributes => attributes) end ```
getgrav/grav
355779588
Title: Throwing arbitrary error codes Question: username_0: From within the Grav core code, I want to be able to emit an arbitrary HTTP status code. I'm told I *should* be able to do something like `throw new \RuntimeException("Should be a 406", 406);`, but that doesn't actually work. I want to make changes to `Grav\Common\Twig\Twig.php`, specifically the `processSite` function. So I try the following: ```php public function processSite($format = null, array $vars = []) { throw new \RuntimeException("Should be a 406", 406); ... } ``` What I get is an error page with a `status` header of `500`. I've tried tracing back where the status code gets set, but I can't find it. I would appreciate any assistance in understanding the lifecycle here. The earliest I can find is [the end of `index.php`](https://github.com/getgrav/grav/blob/756ddaa97db9daaa0c9bb697c2268cede6c3cc0d/index.php#L52-L58). But I can't find any code that triggers `onFatalException`. Answers: username_1: FYI: This is something that is limited by Whoops -- it will always use 500 errors in its responses. Overriding error handlers (especially for JSON) may be helpful, but requires some core changes. username_0: Well this gives me a place to look, at least. [`Whoops\Run` has a `sendHttpCode` function](https://github.com/filp/whoops/blob/45dad4e41eff66217626029f4172b04dc4025442/src/Whoops/Run.php#L203). I guess I'll start from there. So does this mean that existing calls like [this](https://github.com/getgrav/grav/blob/1808fd3d6ed883a9ba5ee8c7d47f6b9350e54540/system/src/Grav/Common/Twig/Twig.php#L262) and [this](https://github.com/getgrav/grav/blob/a09c6b1088c13c85511eb415fb86eba815ad2856/system/src/Grav/Common/Processors/PagesProcessor.php#L39) in Grav core aren't actually working either? username_0: PR submitted. Status: Issue closed
Jessica044/colmar
343851072
Title: Summary Question: username_0: Needs Improvement You're on the right track using `flexbox` to implement your layout, but there's obviously a lot more work to be done in the overall styling of the website and then in making it mobile responsive. The styling doesn't have to be identical, so feel free to exercise your creative license here, but the website should resize gracefully and transform the page until it's a proper mobile site. It should not just be the flex items wrapping over to the next line, although this is a good start! Make sure to come back to this and complete your project! Answers: username_1: I thought it did resize when the browser did according tot he breakpoints. When I tested it on my computer it did and looked like the example when I tested it. I'll have to check it again!
sveltejs/svelte
463649671
Title: 404 for website Question: username_0: https://svelte.dev/ 404 Answers: username_1: #3154 Status: Issue closed username_0: FYI this is not the case. The host seems to be google as the 404 is google. Not my problem anyway 😄 username_0: If this is relevant you could add it to the other issue: https://status.cloud.google.com/incident/cloud-networking/19016 Still not sure why you locked it. username_2: I locked the other issue so everyone wouldn't get eight hundred notifications from people commenting saying "Yes it's broken for me too in [country]"
jderrough/UnitySlippyMap
174904372
Title: Map on plane Question: username_0: Hi, im pretty new to unity and asking myself if it may be possible to render the map to a simple plane instead of the camera? What i try to achieve basically is: Rendering the map to a plane, my "game world" so to speak. There were many libraries on the internet, which can render a map with openstreetmaps, but I don't want it to be a real 3D map but a 2D map instead. The problem is, with the camera rendering the map i can't zoom and place 3D objects, like a player model on it. Any help would be appreciated, just some tips may be enough, as I'm already looking to find the solution, but if it's definitely impossible I wouldn't waste that much time on it and instead search for another solution. Regards, Flo Answers: username_1: Hey username_0! I am currently looking into this, too. I've achieved a similar effect by applying a RenderTexture to the desired object (in your case a simple plane) and adding a dedicated camera viewing the map. Have you found a better solution or workaround yourself? Cheers Rizz Status: Issue closed
burrowers/garble
1106058347
Title: Error Using Garble with github.com/lucas-clemente/quic-go Library Answers: username_1: Could be related to https://github.com/burrowers/garble/issues/410; I seem to recall it also involves embedded structs, and the error looks similar. username_1: Update: this is not a duplicate, because #410 is fixed in master whereas I can still reproduce here. username_1: I was finally able to pinpoint what's causing this. It's our handling of embedded type aliases; because the typechecker doesn't record when type aliases are used, we have to do our best to reverse-engineer when they are used and how, and that code is complex and buggy. The best solution would be for the go/types API to just make that information readily available; I've left a comment at https://github.com/golang/go/issues/44410#issuecomment-1048970906 to bring that up. Until then, I'll see if we can make our workaround a bit smarter to cover this particular edge case. Our current workaround code gets confused because there's a `type Foo = otherpkg.Foo`, and that duplicate name throws our logic off. Status: Issue closed
jetlinks/jetlinks-ui-antd
668295702
Title: 🐛[BUG] Question: username_0: ### 🐛 bug 描述 <!-- 详细地描述 bug,让大家都能理解 --> 设备实例中的设备告警页面,告警日志首次进入现实的日志内容为最早的日志列表,当前换到第二页的时候又显示的是当前最新的日志数据的第二页,按时间排序选择的是由近到远 ### 📷 复现步骤 <!-- 清晰描述复现步骤,让别人也能看到问题 --> 设备实例--》查看--》告警设置--》告警记录 ### 🏞 期望结果 <!-- 描述你原本期望看到的结果 --> 在排序为由当前时间开始的情况下,进入告警记录首页显示最新的记录列表 ### 💻 复现代码 <!-- 提供可复现的代码,仓库,或线上示例 --> ![image](https://user-images.githubusercontent.com/27464785/88871605-e2a37f00-d24a-11ea-92a5-d48f0a0e9a41.png) ### © 版本信息 - Jetlinks-ui-antd 版本: [e.g. 4.0.0] - umi 版本 - 浏览器环境 - 开发环境 [e.g. mac OS] ### 🚑 其他信息 <!-- 如截图等其他信息可以贴在这里 --> Answers: username_1: 本地暂未复现,请下次复现后F12截图看一下请求参数 ![image](https://user-images.githubusercontent.com/30947728/88893928-acc9bf00-d279-11ea-9364-4b974cf4769c.png) username_0: ![image](https://user-images.githubusercontent.com/27464785/88897439-d7b61200-d27d-11ea-927b-5890425b9cbd.png) username_1: 代码什么版本的?建议更新代码重试 username_0: 已经更新到最新版本了 username_1: 如果是本地代码启动的打开这个目录 device/alarm/index.tsx这个文件下 41行到46行截图看一下 还有 334到342截图看一下,如果是docker启动的请更新到 1.4.0版本 username_0: ![image](https://user-images.githubusercontent.com/27464785/88898574-80b13c80-d27f-11ea-9400-1d4da19fe6f6.png) ![image](https://user-images.githubusercontent.com/27464785/88898621-8f97ef00-d27f-11ea-8413-9d8f1f86b0ed.png) username_1: 建议清一波浏览器缓存试一下,本地暂时无法复现,代码也正常,docker启动的也试过,都无法复现。 username_0: 清了一下缓存还是不行,尴尬 Status: Issue closed
vson1718/SwipeCardView
892981217
Title: 你好 当我remove一条数据时,样式出现了问题,请问怎么解决 Question: username_0: 我有三条数据,删除最顶上一条时,剩下的第二条和第三条在滑动切换的过程中,会出现底部相叠的地方高度变高,并且滑动会轻微卡顿。这个结果和原有就只有两条数据的相比较就可以看得出来。 1、当有三条数据时: ![1](https://user-images.githubusercontent.com/16368634/118452793-13e13300-b729-11eb-8169-1d676538c2df.png) 2、当此时删除最顶上数据时: ![2](https://user-images.githubusercontent.com/16368634/118452858-2196b880-b729-11eb-8d61-efc8dcf07ec9.png) 3、当原有就只有两条数据时: ![3](https://user-images.githubusercontent.com/16368634/118452896-2d827a80-b729-11eb-86b2-dc79611cdb0d.png) Answers: username_1: 出现了什么问题? username_0: 我有三条数据,删除最顶上一条时,剩下的第二条和第三条在滑动切换的过程中,会出现底部相叠的地方高度变高,并且滑动会轻微卡顿。这个结果和原有就只有两条数据的相比较就可以看得出来。 1、当有三条数据时: ![1](https://user-images.githubusercontent.com/16368634/118452793-13e13300-b729-11eb-8169-1d676538c2df.png) 2、当此时删除最顶上数据时: ![2](https://user-images.githubusercontent.com/16368634/118452858-2196b880-b729-11eb-8d61-efc8dcf07ec9.png) 3、当原有就只有两条数据时: ![3](https://user-images.githubusercontent.com/16368634/118452896-2d827a80-b729-11eb-86b2-dc79611cdb0d.png)
mrparkers/terraform-provider-keycloak
748645302
Title: Update Go version Question: username_0: Please update the used Go version to the latest version 1.14.x or 1.15.x as these versions contain a fix for the following issue we have experienced with this provider: https://github.com/golang/go/issues/32441<issue_closed> Status: Issue closed
BlesseNtumble/GalaxySpace
354953729
Title: Rocket does not fuel up Question: username_0: Ever since I updated to the latest version, I am unable to fuel my rocket. It is a level 6 rocket, I am using the new landing pad 5x5 as well as the advanced fuel loader. The advanced fuel loader has power and is full of fuel; however the rocket's fuel level remains at 0%. I tried to move the rocket to the different location and fuel it there, but the result was the same. Can someone please advise? Thank you. Answers: username_1: for rocket 5 and 6 need Helium-Hydrogen fluid. It is produced in the separator by combining Helium-3 and Hydrogen Status: Issue closed username_0: Thank you for that. Where can I get Helium-3? username_1: Universal Recycler and Moon Turf and many planet grunt blocks.
bounswe/bounswe2018group7
296379338
Title: Create a Manual Page for Commit Messages Question: username_0: A template should be determined for commit messages and everyone should try to stick to it while writing a commit message. Answers: username_0: I added the section [Commit Message Convention](../wiki/Commit-Notes#commit-message-convention). username_0: If you have any suggestions about commit message convention (especially about keywords mentioned in [this list](../wiki/Commit-Notes#here-are-the-things-to-remember-while-writing-a-commit-message-for-a-coherent-commit-message-history)), please tell here. Otherwise, I will close this Issue. @ferhatmelih @jediinthehouse @ramazanarslan @fakeisback @eneskosr @username_1 @serdarada username_1: I think it is sufficient 👍 You can close the issue. Status: Issue closed
ezefranca/cocoaPods-monitor
149677314
Title: @itsdamslife: Why do I need to update or reinstall #cocoapods on my system after every #Xcode update? #DevRant Question: username_0: <img src="http://ift.tt/1MHnCFh"><br> @itsdamslife: Why do I need to update or reinstall #cocoapods on my system after every #Xcode update? #DevRant<br> via Twitter http://twitter.com/itsdamslife/status/722678122097848321<br> April 20, 2016 at 03:47AM
adrianrod821/f1-3-c2p1-colmar-academy
355263042
Title: SUMMARY Question: username_0: ## Rubric Score ### Criteria 1: HTML Structure * _Score Level:_ 4 * _Comment(s):_ HTML implementation enables proper use of media queries. HTML structure reflects the grouping and flow of content in the web browser. ### Criteria 2: Visual Layout for Both Desktop and Mobile Sizes * _Score Level:_ 4 * _Comment(s):_ Desktop AND mobile layouts match the wireframe in all sections. ### Criteria 3: Responsive Design (Media Queries, Responsive Units, etc.) * _Score Level:_ 3 * _Comment(s):_ Media queries kick in at appropriate breakpoints. Responsive units are consistently used, but not always. ### Criteria 4: Visual Design and Accessibility (Color Palette, Typography, Transitions, etc.) * _Score Level:_ 3 * _Comment(s):_ A color palette was chosen AND typographic considerations were made. ### Overall Score: 14/16 Grade: Meets expectations Summary: Nice work on this final project! I love your semantic HTML elements,your use of `alt` attributes, and your use of flexbox and media queries in CSS. A few things to work on would be: 1. using the correct file path delimiter, `/`, 2. using consistent nesting and indentation throughout your HTML, 3. making sure your elements are closed correctly and that there are no stray end tags, and 4. making your CSS even more concise by using group selectors for repeated styles and a single media query per page width. Next, as a stretch goal, I challenge you to build more pages for this site. What does a sign in page look like? What about a course page? Building these extra pages will add some complexity and is a challenge I think you are ready for based on your work here!
serenity-bdd/serenity-core
110233434
Title: Test cases failure on Grid setup Question: username_0: Hi John, This is same issue as below https://github.com/serenity-bdd/serenity-core/issues/139 I tried running https://github.com/serenity-bdd/serenity-journey-demo > jbehave-webtests on Docker + Grid setup and it also fails because of timing issue. It does pass on local setup though. Please refer to below log --- [main] INFO net.thucydides.core.steps.StepInterceptor - STARTING STEP: AddItemsToCartTest.add_item_to_cart - should_see_item_in_cart [main] INFO net.serenitybdd.core.Serenity - STEP FAILED: net.serenitybdd.core.exceptions.SerenityWebDriverException: no such element: Unable to locate element: {"method":"css selector","selector":".item-total .currency-value"} (Session info: chrome=45.0.2454.101) (Driver info: chromedriver=2.19.346067 (6abd8652f8bc7a1d825962003ac88ec6a37a82f1),platform=Linux 4.0.9-boot2docker x86_64) (WARNING: The server did not provide any stacktrace information) Command duration or timeout: 2.01 seconds For documentation on this error, please visit: http://seleniumhq.org/exceptions/no_such_element.html Build info: version: '2.47.1', revision: '411b314', time: '2015-07-30 03:03:16' System info: host: '0d486fa379ca', ip: '172.17.0.4', os.name: 'Linux', os.arch: 'amd64', os.version: '4.0.9-boot2docker', java.version: '1.8.0_45-internal' Driver info: org.openqa.selenium.chrome.ChromeDriver Capabilities [{applicationCacheEnabled=false, rotatable=false, mobileEmulationEnabled=false, chrome={userDataDir=/tmp/.com.google.Chrome.Fv289h}, takesHeapSnapshot=true, databaseEnabled=false, handlesAlerts=true, hasTouchScreen=false, version=45.0.2454.101, platform=LINUX, browserConnectionEnabled=false, nativeEvents=true, acceptSslCerts=true, locationContextEnabled=true, webStorageEnabled=true, browserName=chrome, takesScreenshot=true, javascriptEnabled=true, cssSelectorsEnabled=true}] Session ID: 821214529370f78542f6dfc61d6d49c1 *** Element info: {Using=css selector, value=.item-total .currency-value} Command duration or timeout: 2.44 seconds For documentation on this error, please visit: http://seleniumhq.org/exceptions/no_such_element.html Build info: version: '2.47.1', revision: 'unknown', time: '2015-07-30 11:02:44' System info: host: '6wbuildbot.local', ip: '10.40.6.48', os.name: 'Mac OS X', os.arch: 'x86_64', os.version: '10.9.5', java.version: '1.8.0_05' Driver info: org.openqa.selenium.remote.RemoteWebDriver Capabilities [{applicationCacheEnabled=false, rotatable=false, mobileEmulationEnabled=false, chrome={userDataDir=/tmp/.com.google.Chrome.Fv289h}, takesHeapSnapshot=true, databaseEnabled=false, handlesAlerts=true, hasTouchScreen=false, version=45.0.2454.101, platform=LINUX, browserConnectionEnabled=false, nativeEvents=true, acceptSslCerts=true, webdriver.remote.sessionid=670bfbc1-4ea1-48e8-b2e6-0f6cdb4cd5bb, locationContextEnabled=true, webStorageEnabled=true, browserName=chrome, takesScreenshot=true, javascriptEnabled=true, cssSelectorsEnabled=true}] Session ID: 670bfbc1-4ea1-48e8-b2e6-0f6cdb4cd5bb *** Element info: {Using=css selector, value=.item-total .currency-value} [main] INFO net.thucydides.core.steps.StepInterceptor - STEP FAILED: should_see_item_in_cart - no such element: Unable to locate element: {"method":"css selector","selector":".item-total .currency-value"} (Session info: chrome=45.0.2454.101) (Driver info: chromedriver=2.19.346067 (6abd8652f8bc7a1d825962003ac88ec6a37a82f1),platform=Linux 4.0.9-boot2docker x86_64) (WARNING: The server did not provide any stacktrace information) Command duration or timeout: 2.01 seconds For documentation on this error, please visit: http://seleniumhq.org/exceptions/no_such_element.html Build info: version: '2.47.1', revision: '411b314', time: '2015-07-30 03:03:16' System info: host: '0d486fa379ca', ip: '172.17.0.4', os.name: 'Linux', os.arch: 'amd64', os.version: '4.0.9-boot2docker', java.version: '1.8.0_45-internal' Driver info: org.openqa.selenium.chrome.ChromeDriver Capabilities [{applicationCacheEnabled=false, rotatable=false, mobileEmulationEnabled=false, chrome={userDataDir=/tmp/.com.google.Chrome.Fv289h}, takesHeapSnapshot=true, databaseEnabled=false, handlesAlerts=true, hasTouchScreen=false, version=45.0.2454.101, platform=LINUX, browserConnectionEnabled=false, nativeEvents=true, acceptSslCerts=true, locationContextEnabled=true, webStorageEnabled=true, browserName=chrome, takesScreenshot=true, javascriptEnabled=true, cssSelectorsEnabled=true}] Session ID: 821214529370f78542f6dfc61d6d49c1 *** Element info: {Using=css selector, value=.item-total .currency-value} Command duration or timeout: 2.44 seconds For documentation on this error, please visit: http://seleniumhq.org/exceptions/no_such_element.html Build info: version: '2.47.1', revision: 'unknown', time: '2015-07-30 11:02:44' System info: host: '6wbuildbot.local', ip: '10.40.6.48', os.name: 'Mac OS X', os.arch: 'x86_64', os.version: '10.9.5', java.version: '1.8.0_05' Driver info: org.openqa.selenium.remote.RemoteWebDriver Capabilities [{applicationCacheEnabled=false, rotatable=false, mobileEmulationEnabled=false, chrome={userDataDir=/tmp/.com.google.Chrome.Fv289h}, takesHeapSnapshot=true, databaseEnabled=false, handlesAlerts=true, hasTouchScreen=false, version=45.0.2454.101, platform=LINUX, browserConnectionEnabled=false, nativeEvents=true, acceptSslCerts=true, webdriver.remote.sessionid=670bfbc1-4ea1-48e8-b2e6-0f6cdb4cd5bb, locationContextEnabled=true, webStorageEnabled=true, browserName=chrome, takesScreenshot=true, javascriptEnabled=true, cssSelectorsEnabled=true}] Session ID: 670bfbc1-4ea1-48e8-b2e6-0f6cdb4cd5bb *** Element info: {Using=css selector, value=.item-total .currency-value} org.openqa.selenium.NoSuchElementException: no such element: Unable to locate element: {"method":"css selector","selector":".item-total .currency-value"} (Session info: chrome=45.0.2454.101) (Driver info: chromedriver=2.19.346067 (6abd8652f8bc7a1d825962003ac88ec6a37a82f1),platform=Linux 4.0.9-boot2docker x86_64) (WARNING: The server did not provide any stacktrace information) Command duration or timeout: 2.01 seconds For documentation on this error, please visit: http://seleniumhq.org/exceptions/no_such_element.html Build info: version: '2.47.1', revision: '411b314', time: '2015-07-30 03:03:16' System info: host: '0d486fa379ca', ip: '172.17.0.4', os.name: 'Linux', os.arch: 'amd64', os.version: '4.0.9-boot2docker', java.version: '1.8.0_45-internal' Driver info: org.openqa.selenium.chrome.ChromeDriver Capabilities [{applicationCacheEnabled=false, rotatable=false, mobileEmulationEnabled=false, chrome={userDataDir=/tmp/.com.google.Chrome.Fv289h}, takesHeapSnapshot=true, databaseEnabled=false, handlesAlerts=true, hasTouchScreen=false, version=45.0.2454.101, platform=LINUX, browserConnectionEnabled=false, nativeEvents=true, acceptSslCerts=true, locationContextEnabled=true, webStorageEnabled=true, browserName=chrome, takesScreenshot=true, javascriptEnabled=true, cssSelectorsEnabled=true}] [Truncated] System info: host: '6wbuildbot.local', ip: '10.40.6.48', os.name: 'Mac OS X', os.arch: 'x86_64', os.version: '10.9.5', java.version: '1.8.0_05' Driver info: org.openqa.selenium.remote.RemoteWebDriver Capabilities [{applicationCacheEnabled=false, rotatable=false, mobileEmulationEnabled=false, chrome={userDataDir=/tmp/.com.google.Chrome.Fv289h}, takesHeapSnapshot=true, databaseEnabled=false, handlesAlerts=true, hasTouchScreen=false, version=45.0.2454.101, platform=LINUX, browserConnectionEnabled=false, nativeEvents=true, acceptSslCerts=true, webdriver.remote.sessionid=670bfbc1-4ea1-48e8-b2e6-0f6cdb4cd5bb, locationContextEnabled=true, webStorageEnabled=true, browserName=chrome, takesScreenshot=true, javascriptEnabled=true, cssSelectorsEnabled=true}] Session ID: 670bfbc1-4ea1-48e8-b2e6-0f6cdb4cd5bb *** Element info: {Using=css selector, value=.item-total .currency-value} [main] INFO net.thucydides.core.reports.ReportService - Reporting formats: [JSON, XML, HTML] [main] INFO net.thucydides.core.reports.ReportService - Found reporter: net.thucydides.core.reports.xml.XMLTestOutcomeReporter@652a7737(format = Optional.of(XML)) [main] INFO net.thucydides.core.reports.ReportService - Registering reporter: net.thucydides.core.reports.xml.XMLTestOutcomeReporter@652a7737 [main] INFO net.thucydides.core.reports.ReportService - Found reporter: net.thucydides.core.reports.json.JSONTestOutcomeReporter@73db4768(format = Optional.of(JSON)) [main] INFO net.thucydides.core.reports.ReportService - Registering reporter: net.thucydides.core.reports.json.JSONTestOutcomeReporter@73db4768 [main] INFO net.thucydides.core.reports.ReportService - Found reporter: net.thucydides.core.reports.html.HtmlAcceptanceTestReporter@18245eb0(format = Optional.of(HTML)) [main] INFO net.thucydides.core.reports.ReportService - Registering reporter: net.thucydides.core.reports.html.HtmlAcceptanceTestReporter@18245eb0 [main] INFO net.thucydides.core.reports.ReportService - Generating reports for 1 test outcomes using: net.thucydides.core.reports.xml.XMLTestOutcomeReporter@652a7737 [main] INFO net.thucydides.core.reports.junit.JUnitXMLOutcomeReporter - GENERATING JUNIT REPORTS [pool-1-thread-1] INFO net.thucydides.core.reports.ReportService - Processing test outcome Add items to cart test:add_item_to_cart [pool-1-thread-1] INFO net.thucydides.core.reports.ReportService - net.thucydides.core.reports.xml.XMLTestOutcomeReporter@652a7737: Generating report for test outcome: Add items to cart test:add_item_to_cart [main] INFO net.thucydides.core.reports.junit.JUnitXMLOutcomeReporter - GENERATING JUNIT REPORT SERENITY-JUNIT-d1dadc9e4965ab24699ba3974cd3e6fdae877928f75d747c7ce1004fcbb63af0.xml [pool-1-thread-1] INFO net.thucydides.core.reports.xml.XMLTestOutcomeReporter - Generating XML report for Add item to cart to file /Users/qa/Documents/Web-Automation/serenity-demos/junit-webtests/target/site/serenity/d1dadc9e4965ab24699ba3974cd3e6fdae877928f75d747c7ce1004fcbb63af0.xml ----- Answers: username_0: [main] INFO net.thucydides.core.reports.ReportService - Reports generated in: 866 ms Tests run: 1, Failures: 0, Errors: 1, Skipped: 0, Time elapsed: 36.717 sec <<< FAILURE! - in net.thucydides.showcase.junit.features.cart.AddItemsToCartTest add_item_to_cart(net.thucydides.showcase.junit.features.cart.AddItemsToCartTest) Time elapsed: 34.669 sec <<< ERROR! org.openqa.selenium.NoSuchElementException: no such element: Unable to locate element: {"method":"css selector","selector":".item-total .currency-value"} (Session info: chrome=45.0.2454.101) (Driver info: chromedriver=2.19.346067 (6abd8652f8bc7a1d825962003ac88ec6a37a82f1),platform=Linux 4.0.9-boot2docker x86_64) (WARNING: The server did not provide any stacktrace information) Command duration or timeout: 2.01 seconds For documentation on this error, please visit: http://seleniumhq.org/exceptions/no_such_element.html Build info: version: '2.47.1', revision: '411b314', time: '2015-07-30 03:03:16' System info: host: '0d486fa379ca', ip: '172.17.0.4', os.name: 'Linux', os.arch: 'amd64', os.version: '4.0.9-boot2docker', java.version: '1.8.0_45-internal' Driver info: org.openqa.selenium.chrome.ChromeDriver Capabilities [{applicationCacheEnabled=false, rotatable=false, mobileEmulationEnabled=false, chrome={userDataDir=/tmp/.com.google.Chrome.Fv289h}, takesHeapSnapshot=true, databaseEnabled=false, handlesAlerts=true, hasTouchScreen=false, version=45.0.2454.101, platform=LINUX, browserConnectionEnabled=false, nativeEvents=true, acceptSslCerts=true, locationContextEnabled=true, webStorageEnabled=true, browserName=chrome, takesScreenshot=true, javascriptEnabled=true, cssSelectorsEnabled=true}] Session ID: 821214529370f78542f6dfc61d6d49c1 *** Element info: {Using=css selector, value=.item-total .currency-value} Command duration or timeout: 2.44 seconds For documentation on this error, please visit: http://seleniumhq.org/exceptions/no_such_element.html Build info: version: '2.47.1', revision: 'unknown', time: '2015-07-30 11:02:44' System info: host: '6wbuildbot.local', ip: '10.40.6.48', os.name: 'Mac OS X', os.arch: 'x86_64', os.version: '10.9.5', java.version: '1.8.0_05' Driver info: org.openqa.selenium.remote.RemoteWebDriver Capabilities [{applicationCacheEnabled=false, rotatable=false, mobileEmulationEnabled=false, chrome={userDataDir=/tmp/.com.google.Chrome.Fv289h}, takesHeapSnapshot=true, databaseEnabled=false, handlesAlerts=true, hasTouchScreen=false, version=45.0.2454.101, platform=LINUX, browserConnectionEnabled=false, nativeEvents=true, acceptSslCerts=true, webdriver.remote.sessionid=670bfbc1-4ea1-48e8-b2e6-0f6cdb4cd5bb, locationContextEnabled=true, webStorageEnabled=true, browserName=chrome, takesScreenshot=true, javascriptEnabled=true, cssSelectorsEnabled=true}] Session ID: 670bfbc1-4ea1-48e8-b2e6-0f6cdb4cd5bb *** Element info: {Using=css selector, value=.item-total .currency-value} For documentation on this error, please visit: http://seleniumhq.org/exceptions/no_such_element.html Build info: version: '2.47.1', revision: 'unknown', time: '2015-07-30 11:02:44' System info: host: '6wbuildbot.local', ip: '10.40.6.48', os.name: 'Mac OS X', os.arch: 'x86_64', os.version: '10.9.5', java.version: '1.8.0_05' Driver info: driver.version: unknown at net.thucydides.showcase.junit.pages.CartPage.convertToOrderCostSummary(CartPage.java:38) at net.thucydides.showcase.junit.pages.CartPage.getOrderCostSummaries(CartPage.java:26) at net.thucydides.showcase.junit.steps.serenity.BuyerSteps.should_see_item_in_cart(BuyerSteps.java:68) at net.thucydides.showcase.junit.features.cart.AddItemsToCartTest.add_item_to_cart(AddItemsToCartTest.java:34) Running net.thucydides.showcase.junit.features.display_product.DisplayProductDetailsTest [main] INFO net.serenitybdd.core.Serenity - Test Suite Started: Display product details test [main] INFO net.serenitybdd.core.Serenity - username_0: isCurrentlyEnabled() , isDisplayed() , size() all are failing with similar timing issues org.openqa.selenium.WebDriverException: no such session (Driver info: chromedriver=2.19.346067 (6abd8652f8bc7a1d825962003ac88ec6a37a82f1),platform=Linux 4.0.9-boot2docker x86_64) (WARNING: The server did not provide any stacktrace information) Command duration or timeout: 1 milliseconds Build info: version: '2.47.1', revision: '411b314', time: '2015-07-30 03:03:16' System info: host: '0d486fa379ca', ip: '172.17.0.4', os.name: 'Linux', os.arch: 'amd64', os.version: '4.0.9-boot2docker', java.version: '1.8.0_45-internal' Driver info: org.openqa.selenium.chrome.ChromeDriver Capabilities [{applicationCacheEnabled=false, rotatable=false, mobileEmulationEnabled=false, chrome={userDataDir=/tmp/.com.google.Chrome.dfvIe4}, takesHeapSnapshot=true, databaseEnabled=false, handlesAlerts=true, hasTouchScreen=false, version=45.0.2454.101, platform=LINUX, browserConnectionEnabled=false, nativeEvents=true, acceptSslCerts=true, locationContextEnabled=true, webStorageEnabled=true, browserName=chrome, takesScreenshot=true, javascriptEnabled=true, cssSelectorsEnabled=true}] Session ID: f0e4b8f023e6b5ad09a202c757048d9c Command duration or timeout: 10 milliseconds Build info: version: '2.47.1', revision: 'unknown', time: '2015-07-30 11:02:44' System info: host: '6wbuildbot.local', ip: '10.40.6.48', os.name: 'Mac OS X', os.arch: 'x86_64', os.version: '10.9.5', java.version: '1.8.0_05' Driver info: org.openqa.selenium.remote.RemoteWebDriver Capabilities [{applicationCacheEnabled=false, rotatable=false, mobileEmulationEnabled=false, chrome={userDataDir=/tmp/.com.google.Chrome.dfvIe4}, takesHeapSnapshot=true, databaseEnabled=false, handlesAlerts=true, hasTouchScreen=false, version=45.0.2454.101, platform=LINUX, browserConnectionEnabled=false, nativeEvents=true, acceptSslCerts=true, webdriver.remote.sessionid=70d356dd-90a5-4664-bb5a-4c7d42ff54b4, locationContextEnabled=true, webStorageEnabled=true, browserName=chrome, takesScreenshot=true, javascriptEnabled=true, cssSelectorsEnabled=true}] Session ID: 70d356dd-90a5-4664-bb5a-4c7d42ff54b4 at sun.reflect.NativeConstructorAccessorImpl.newInstance0(Native Method) at sun.reflect.NativeConstructorAccessorImpl.newInstance(NativeConstructorAccessorImpl.java:62) at sun.reflect.DelegatingConstructorAccessorImpl.newInstance(DelegatingConstructorAccessorImpl.java:45) at java.lang.reflect.Constructor.newInstance(Constructor.java:408) at org.openqa.selenium.remote.ErrorHandler.createThrowable(ErrorHandler.java:206) at org.openqa.selenium.remote.ErrorHandler.throwIfResponseFailed(ErrorHandler.java:158) at org.openqa.selenium.remote.RemoteWebDriver.execute(RemoteWebDriver.java:595) at org.openqa.selenium.remote.RemoteWebDriver$RemoteWebDriverOptions$RemoteTimeouts.implicitlyWait(RemoteWebDriver.java:774) at net.thucydides.core.webdriver.WebDriverFactory.resetTimeouts(WebDriverFactory.java:768) at net.thucydides.core.webdriver.WebDriverFacade.resetTimeouts(WebDriverFacade.java:262) at net.thucydides.core.annotations.locators.SmartAjaxElementLocator.findElementImmediately(SmartAjaxElementLocator.java:119) at net.thucydides.core.annotations.locators.SmartAjaxElementLocator.findElement(SmartAjaxElementLocator.java:91) at org.openqa.selenium.support.pagefactory.internal.LocatingElementHandler.invoke(LocatingElementHandler.java:38) at com.sun.proxy.$Proxy17.isEnabled(Unknown Source) at net.serenitybdd.core.pages.WebElementFacadeImpl.isCurrentlyEnabled(WebElementFacadeImpl.java:337) username_0: Driver info: org.openqa.selenium.chrome.ChromeDriver Capabilities [{applicationCacheEnabled=false, rotatable=false, mobileEmulationEnabled=false, chrome={userDataDir=/tmp/.com.google.Chrome.WCvSZl}, takesHeapSnapshot=true, databaseEnabled=false, handlesAlerts=true, hasTouchScreen=false, version=45.0.2454.101, platform=LINUX, browserConnectionEnabled=false, nativeEvents=true, acceptSslCerts=true, locationContextEnabled=true, webStorageEnabled=true, browserName=chrome, takesScreenshot=true, javascriptEnabled=true, cssSelectorsEnabled=true}] Session ID: 0ce819504dbd744b56c38005b9cd8312 *** Element info: {Using=xpath, value=//text[@rel='smart_list_inbox']} Command duration or timeout: 496 milliseconds Build info: version: '2.47.1', revision: 'unknown', time: '2015-07-30 11:02:44' System info: host: '6wbuildbot.local', ip: '10.40.6.48', os.name: 'Mac OS X', os.arch: 'x86_64', os.version: '10.9.5', java.version: '1.8.0_05' Driver info: org.openqa.selenium.remote.RemoteWebDriver Capabilities [{applicationCacheEnabled=false, rotatable=false, mobileEmulationEnabled=false, chrome={userDataDir=/tmp/.com.google.Chrome.WCvSZl}, takesHeapSnapshot=true, databaseEnabled=false, handlesAlerts=true, hasTouchScreen=false, version=45.0.2454.101, platform=LINUX, browserConnectionEnabled=false, nativeEvents=true, acceptSslCerts=true, webdriver.remote.sessionid=7da46dea-2665-424e-8eca-7a1953b9e0b0, locationContextEnabled=true, webStorageEnabled=true, browserName=chrome, takesScreenshot=true, javascriptEnabled=true, cssSelectorsEnabled=true}] Session ID: 7da46dea-2665-424e-8eca-7a1953b9e0b0 *** Element info: {Using=xpath, value=//text[@rel='smart_list_inbox']} at sun.reflect.NativeConstructorAccessorImpl.newInstance0(Native Method) at sun.reflect.NativeConstructorAccessorImpl.newInstance(NativeConstructorAccessorImpl.java:62) at sun.reflect.DelegatingConstructorAccessorImpl.newInstance(DelegatingConstructorAccessorImpl.java:45) at java.lang.reflect.Constructor.newInstance(Constructor.java:408) at org.openqa.selenium.remote.ErrorHandler.createThrowable(ErrorHandler.java:206) at org.openqa.selenium.remote.ErrorHandler.throwIfResponseFailed(ErrorHandler.java:158) at org.openqa.selenium.remote.RemoteWebDriver.execute(RemoteWebDriver.java:595) at org.openqa.selenium.remote.RemoteWebDriver.findElement(RemoteWebDriver.java:348) at org.openqa.selenium.remote.RemoteWebDriver.findElementByXPath(RemoteWebDriver.java:445) at org.openqa.selenium.By$ByXPath.findElement(By.java:358) at org.openqa.selenium.remote.RemoteWebDriver.findElement(RemoteWebDriver.java:340) at sun.reflect.GeneratedMethodAccessor7.invoke(Unknown Source) at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) at java.lang.reflect.Method.invoke(Method.java:483) at org.openqa.selenium.remote.Augmenter$CompoundHandler.intercept(Augmenter.java:191) at org.openqa.selenium.remote.RemoteWebDriver$$EnhancerByCGLIB$$8c77a11d.findElement(<generated>) at net.thucydides.core.webdriver.WebDriverFacade.findElement(WebDriverFacade.java:236) username_0: Command duration or timeout: 54 milliseconds Build info: version: '2.47.1', revision: '411b314', time: '2015-07-30 03:03:16' System info: host: '0d486fa379ca', ip: '172.17.0.4', os.name: 'Linux', os.arch: 'amd64', os.version: '4.0.9-boot2docker', java.version: '1.8.0_45-internal' Driver info: org.openqa.selenium.chrome.ChromeDriver Capabilities [{applicationCacheEnabled=false, rotatable=false, mobileEmulationEnabled=false, chrome={userDataDir=/tmp/.com.google.Chrome.BRZdTV}, takesHeapSnapshot=true, databaseEnabled=false, handlesAlerts=true, hasTouchScreen=false, version=45.0.2454.101, platform=LINUX, browserConnectionEnabled=false, nativeEvents=true, acceptSslCerts=true, locationContextEnabled=true, webStorageEnabled=true, browserName=chrome, takesScreenshot=true, javascriptEnabled=true, cssSelectorsEnabled=true}] Session ID: e295cdbafd23115fa5e0e38aac7b749c *** Element info: {Using=xpath, value=//text[@rel='smart_list_inbox']} Command duration or timeout: 185 milliseconds Build info: version: '2.47.1', revision: 'unknown', time: '2015-07-30 11:02:44' System info: host: '6wbuildbot.local', ip: '10.40.6.48', os.name: 'Mac OS X', os.arch: 'x86_64', os.version: '10.9.5', java.version: '1.8.0_05' Driver info: org.openqa.selenium.remote.RemoteWebDriver Capabilities [{applicationCacheEnabled=false, rotatable=false, mobileEmulationEnabled=false, chrome={userDataDir=/tmp/.com.google.Chrome.BRZdTV}, takesHeapSnapshot=true, databaseEnabled=false, handlesAlerts=true, hasTouchScreen=false, version=45.0.2454.101, platform=LINUX, browserConnectionEnabled=false, nativeEvents=true, acceptSslCerts=true, webdriver.remote.sessionid=c2f7a473-9973-4de2-944b-5a794b688d5e, locationContextEnabled=true, webStorageEnabled=true, browserName=chrome, takesScreenshot=true, javascriptEnabled=true, cssSelectorsEnabled=true}] Session ID: c2f7a473-9973-4de2-944b-5a794b688d5e *** Element info: {Using=xpath, value=//text[@rel='smart_list_inbox']} at sun.reflect.NativeConstructorAccessorImpl.newInstance0(Native Method) at sun.reflect.NativeConstructorAccessorImpl.newInstance(NativeConstructorAccessorImpl.java:62) at sun.reflect.DelegatingConstructorAccessorImpl.newInstance(DelegatingConstructorAccessorImpl.java:45) at java.lang.reflect.Constructor.newInstance(Constructor.java:408) at org.openqa.selenium.remote.ErrorHandler.createThrowable(ErrorHandler.java:206) at org.openqa.selenium.remote.ErrorHandler.throwIfResponseFailed(ErrorHandler.java:158) at org.openqa.selenium.remote.RemoteWebDriver.execute(RemoteWebDriver.java:595) at org.openqa.selenium.remote.RemoteWebDriver.findElements(RemoteWebDriver.java:373) at org.openqa.selenium.remote.RemoteWebDriver.findElementsByXPath(RemoteWebDriver.java:449) at org.openqa.selenium.By$ByXPath.findElements(By.java:353) at org.openqa.selenium.remote.RemoteWebDriver.findElements(RemoteWebDriver.java:336) at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62) at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) at java.lang.reflect.Method.invoke(Method.java:483) at org.openqa.selenium.remote.Augmenter$CompoundHandler.intercept(Augmenter.java:191) at org.openqa.selenium.remote.RemoteWebDriver$$EnhancerByCGLIB$$8c77a11d.findElements(<generated>) at net.thucydides.core.webdriver.WebDriverFacade.findElements(WebDriverFacade.java:218) username_0: Found this https://github.com/detro/ghostdriver/issues/224 username_1: Those errors aren't timing issues, they are genuine, locale-related errors (e.g. "no such element: Unable to locate element: {"method":"css selector","selector":".item-total .currency-value"}"). I will be dropping support for the Etsy demo projects shortly in favour of a more locale-neutral project. Have you tried using the withTimeoutOf(...) methods? username_1: See if you get the same behaviour with http://github.com/serenity-bdd/serenity-journey-demo username_0: Hi John, I could reproduce issue with https://github.com/serenity-bdd/serenity-journey-demo as well Please find below output --- [pool-1-thread-2] WARN net.thucydides.core.webdriver.WebDriverFacade - Failed to take screenshot - driver closed already? (Session [9ba15889-86c1-4d80-854d-ebc3b74fc44f] was terminated due to TIMEOUT Command duration or timeout: 5 milliseconds Build info: version: '2.47.1', revision: 'unknown', time: '2015-07-30 11:02:44' System info: host: '6wbuildbot.local', ip: '10.40.6.48', os.name: 'Mac OS X', os.arch: 'x86_64', os.version: '10.9.5', java.version: '1.8.0_05' Driver info: org.openqa.selenium.remote.RemoteWebDriver Capabilities [{applicationCacheEnabled=false, rotatable=false, mobileEmulationEnabled=false, chrome={userDataDir=/tmp/.com.google.Chrome.jiS3zc}, takesHeapSnapshot=true, databaseEnabled=false, handlesAlerts=true, hasTouchScreen=false, version=45.0.2454.101, platform=LINUX, browserConnectionEnabled=false, nativeEvents=true, acceptSslCerts=true, webdriver.remote.sessionid=9ba15889-86c1-4d80-854d-ebc3b74fc44f, locationContextEnabled=true, webStorageEnabled=true, browserName=chrome, takesScreenshot=true, javascriptEnabled=true, cssSelectorsEnabled=true}] Session ID: 9ba15889-86c1-4d80-854d-ebc3b74fc44f) [pool-1-thread-2] INFO net.thucydides.core.steps.StepInterceptor - STARTING STEP: Actor.perform - {0} clicks on #target [pool-1-thread-2] WARN net.thucydides.core.webdriver.WebDriverFacade - Failed to take screenshot - driver closed already? (Session [9ba15889-86c1-4d80-854d-ebc3b74fc44f] was terminated due to TIMEOUT Command duration or timeout: 8 milliseconds Build info: version: '2.47.1', revision: 'unknown', time: '2015-07-30 11:02:44' System info: host: '6wbuildbot.local', ip: '10.40.6.48', os.name: 'Mac OS X', os.arch: 'x86_64', os.version: '10.9.5', java.version: '1.8.0_05' Driver info: org.openqa.selenium.remote.RemoteWebDriver Capabilities [{applicationCacheEnabled=false, rotatable=false, mobileEmulationEnabled=false, chrome={userDataDir=/tmp/.com.google.Chrome.jiS3zc}, takesHeapSnapshot=true, databaseEnabled=false, handlesAlerts=true, hasTouchScreen=false, version=45.0.2454.101, platform=LINUX, browserConnectionEnabled=false, nativeEvents=true, acceptSslCerts=true, webdriver.remote.sessionid=9ba15889-86c1-4d80-854d-ebc3b74fc44f, locationContextEnabled=true, webStorageEnabled=true, browserName=chrome, takesScreenshot=true, javascriptEnabled=true, cssSelectorsEnabled=true}] Session ID: 9ba15889-86c1-4d80-854d-ebc3b74fc44f) [pool-1-thread-2] INFO net.thucydides.core.steps.StepInterceptor - STEP DONE: {0} clicks on #target Oct 08, 2015 10:31:45 AM com.google.common.eventbus.EventBus$LoggingSubscriberExceptionHandler handleException SEVERE: Could not dispatch event: Browse the web to public void net.serenitybdd.screenplay.abilities.BrowseTheWeb.beginPerformance(net.serenitybdd.screenplay.events.ActorBeginsPerformanceEvent) Oct 08, 2015 10:31:45 AM com.google.common.eventbus.EventBus$LoggingSubscriberExceptionHandler handleException SEVERE: Could not dispatch event: Browse the web to public void net.serenitybdd.screenplay.abilities.BrowseTheWeb.beginPerformance(net.serenitybdd.screenplay.events.ActorBeginsPerformanceEvent) [pool-1-thread-2] WARN net.thucydides.core.webdriver.WebDriverFacade - Failed to take screenshot - driver closed already? (Session [9ba15889-86c1-4d80-854d-ebc3b74fc44f] was terminated due to TIMEOUT Command duration or timeout: 5 milliseconds Build info: version: '2.47.1', revision: 'unknown', time: '2015-07-30 11:02:44' System info: host: '6wbuildbot.local', ip: '10.40.6.48', os.name: 'Mac OS X', os.arch: 'x86_64', os.version: '10.9.5', java.version: '1.8.0_05' Driver info: org.openqa.selenium.remote.RemoteWebDriver Capabilities [{applicationCacheEnabled=false, rotatable=false, mobileEmulationEnabled=false, chrome={userDataDir=/tmp/.com.google.Chrome.jiS3zc}, takesHeapSnapshot=true, databaseEnabled=false, handlesAlerts=true, hasTouchScreen=false, version=45.0.2454.101, platform=LINUX, browserConnectionEnabled=false, nativeEvents=true, acceptSslCerts=true, webdriver.remote.sessionid=9ba15889-86c1-4d80-854d-ebc3b74fc44f, locationContextEnabled=true, webStorageEnabled=true, browserName=chrome, takesScreenshot=true, javascriptEnabled=true, cssSelectorsEnabled=true}] Session ID: 9ba15889-86c1-4d80-854d-ebc3b74fc44f) [pool-1-thread-2] INFO net.thucydides.core.steps.StepInterceptor - STARTING STEP: Actor.perform - {0} deletes the item '#itemName' [pool-1-thread-2] WARN net.thucydides.core.webdriver.WebDriverFacade - Failed to take screenshot - driver closed already? (Session [9ba15889-86c1-4d80-854d-ebc3b74fc44f] was terminated due to TIMEOUT Command duration or timeout: 4 milliseconds Build info: version: '2.47.1', revision: 'unknown', time: '2015-07-30 11:02:44' System info: host: '6wbuildbot.local', ip: '10.40.6.48', os.name: 'Mac OS X', os.arch: 'x86_64', os.version: '10.9.5', java.version: '1.8.0_05' Driver info: org.openqa.selenium.remote.RemoteWebDriver Capabilities [{applicationCacheEnabled=false, rotatable=false, mobileEmulationEnabled=false, chrome={userDataDir=/tmp/.com.google.Chrome.jiS3zc}, takesHeapSnapshot=true, databaseEnabled=false, handlesAlerts=true, hasTouchScreen=false, version=45.0.2454.101, platform=LINUX, browserConnectionEnabled=false, nativeEvents=true, acceptSslCerts=true, webdriver.remote.sessionid=9ba15889-86c1-4d80-854d-ebc3b74fc44f, locationContextEnabled=true, webStorageEnabled=true, browserName=chrome, takesScreenshot=true, javascriptEnabled=true, cssSelectorsEnabled=true}] Session ID: 9ba15889-86c1-4d80-854d-ebc3b74fc44f) [pool-1-thread-2] INFO net.thucydides.core.steps.StepInterceptor - STEP DONE: {0} deletes the item '#itemName' ---- net.serenitybdd.core.exceptions.SerenityWebDriverException: Session [9ba15889-86c1-4d80-854d-ebc3b74fc44f] was terminated due to TIMEOUT Command duration or timeout: 6 milliseconds Build info: version: '2.47.1', revision: 'unknown', time: '2015-07-30 11:02:44' System info: host: '6wbuildbot.local', ip: '10.40.6.48', os.name: 'Mac OS X', os.arch: 'x86_64', os.version: '10.9.5', java.version: '1.8.0_05' Driver info: org.openqa.selenium.remote.RemoteWebDriver Capabilities [{applicationCacheEnabled=false, rotatable=false, mobileEmulationEnabled=false, chrome={userDataDir=/tmp/.com.google.Chrome.jiS3zc}, takesHeapSnapshot=true, databaseEnabled=false, handlesAlerts=true, hasTouchScreen=false, version=45.0.2454.101, platform=LINUX, browserConnectionEnabled=false, nativeEvents=true, acceptSslCerts=true, webdriver.remote.sessionid=9ba15889-86c1-4d80-854d-ebc3b74fc44f, locationContextEnabled=true, webStorageEnabled=true, browserName=chrome, takesScreenshot=true, javascriptEnabled=true, cssSelectorsEnabled=true}] Session ID: 9ba15889-86c1-4d80-854d-ebc3b74fc44f *** Element info: {Using=css selector, value=#new-todo} at sun.reflect.GeneratedConstructorAccessor19.newInstance(Unknown Source) at sun.reflect.DelegatingConstructorAccessorImpl.newInstance(DelegatingConstructorAccessorImpl.java:45) at java.lang.reflect.Constructor.newInstance(Constructor.java:408) [Truncated] at net.serenitybdd.core.pages.PageObject.element(PageObject.java:898) at net.serenitybdd.core.pages.PageObject.element(PageObject.java:926) at net.serenitybdd.core.pages.PageObject.findBy(PageObject.java:930) at net.serenitybdd.core.pages.PageObject.moveTo(PageObject.java:1043) at net.serenitybdd.screenplay.tasks.Enter.performAs(Enter.java:36) at net.serenitybdd.screenplay.tasks.Enter$$EnhancerByCGLIB$$69d5adcc.CGLIB$performAs$2(<generated>) at net.serenitybdd.screenplay.tasks.Enter$$EnhancerByCGLIB$$69d5adcc$$FastClassByCGLIB$$3a3fed91.invoke(<generated>) at net.sf.cglib.proxy.MethodProxy.invokeSuper(MethodProxy.java:228) at net.thucydides.core.steps.StepInterceptor.invokeMethod(StepInterceptor.java:336) at net.thucydides.core.steps.StepInterceptor.executeTestStepMethod(StepInterceptor.java:321) at net.thucydides.core.steps.StepInterceptor.runTestStep(StepInterceptor.java:296) at net.thucydides.core.steps.StepInterceptor.testStepResult(StepInterceptor.java:129) at net.thucydides.core.steps.StepInterceptor.intercept(StepInterceptor.java:56) at net.serenitybdd.screenplay.tasks.Enter$$EnhancerByCGLIB$$69d5adcc.performAs(<generated>) at net.serenitybdd.screenplay.Actor.perform(Actor.java:76) at net.serenitybdd.screenplay.Actor.attemptsTo(Actor.java:56) at net.serenitybdd.demos.todos.tasks.AddATodoItem.performAs(AddATodoItem.java:19) ----------- Status: Issue closed username_0: Closing as this is not framework / RemoteWebdriver issue , but instead how Chrome container is ran with Linux docker. Refer to https://github.com/SeleniumHQ/docker-selenium > "Running Images" section
aleksanderwozniak/table_calendar
476364783
Title: Cannot scroll on calendar body Question: username_0: I have a TableCalendar inside a ListView that needs to scroll. The ListView does not scroll from the calendar itself, but it works on the calendar header and other widgets in the ListView. Answers: username_0: Fixed by setting `availableGestures` to `AvailableGestures.horizontalSwipe`. Thanks for the great library! Status: Issue closed
codefordenver/rmmfi
88582688
Title: Documentation Answers: username_1: - Cover Page - Acknowledgements - Table of Contents - Solutions - Solution I - Purpose - Business Process - Instructions - Solution II - Purpose - Business Process - Instructions - So on and so forth - Troubleshooting - Support - Contact - Yaaaaay! Happy dance fun time! You have volunteers. :-) username_1: User Documentation: https://docs.google.com/document/d/1<KEY>edit
daks01/FAQx81
851364542
Title: от <NAME> Question: username_0: По передним рычагам таблица ![image](https://user-images.githubusercontent.com/1611549/113709226-aee2f800-96fb-11eb-924f-d8b51f9fbe7a.png) Answers: username_0: возможно ремкомплект помпы на гзе 16131A ![image](https://user-images.githubusercontent.com/1611549/113709409-dfc32d00-96fb-11eb-96e5-39a428489b56.png) username_0: кастом-клипсы под порванные уплотнители дверей https://vk.com/wall-31295460_770741?hash=d7a33b7d15edc3b3cb username_0: уже есть в факе ![image](https://user-images.githubusercontent.com/1611549/113709713-447e8780-96fc-11eb-8887-091563a3b61e.png) реанимация подшипников опорных ![image](https://user-images.githubusercontent.com/1611549/113709630-29ac1300-96fc-11eb-9b61-1080d804ad20.png) username_0: наконечники на заднюю тягу SE-2651(555) (хз - CTR-наконечники заебись. на схемах они есть... можно просто в фак добавить как еще один вариант) ![image](https://user-images.githubusercontent.com/1611549/113710000-98896c00-96fc-11eb-83a1-8aaf180b68b0.png) username_0: уже добавлено Issue https://github.com/username_0/FAQx81/issues/122 ремонт угока спидометра https://vk.com/wall-31295460_773111?hash=0091b38945f357c398 username_0: как перейти с тросика на датчик (имхо, не хватает инфы. гдет был на drive2 бортовик на эту тему) https://vk.com/wall-31295460_701200?hash=9fc1aee6e44e4352a6 username_0: евросвет добавить ссылку на последний пункт https://www.drive2.ru/l/288230376153119309/ ![image](https://user-images.githubusercontent.com/1611549/113710892-b86d5f80-96fd-11eb-97e7-64cf723970c4.png) username_0: По передним рычагам таблица ![image](https://user-images.githubusercontent.com/1611549/113709226-aee2f800-96fb-11eb-924f-d8b51f9fbe7a.png)
renode/renode
1184784278
Title: Missing dependency when building for windows Question: username_0: I am trying to build the project to test if it would be useful for projects I'm involved with at work. I am running Windows 10 Enterprise (19044.1586), using MSys2 as my bash terminal. I am also using the following commit `8e639071cd882b5ed8133d3863965599bbb0179c` which is master at the time of writing After having fixed some issues in `build.sh` (when running `msbuild` from msys2 the `/p:` options need to be replaced with `//p:`) After making these changes and I try to run `build.sh` I then encounter the issue at hand. ```sh C:\Users\olejeh\Downloads\Gits\renode\src\Infrastructure\src\Emulator\Cores\translate.cproj(130,7): warning : /usr/lib/gcc/x86_64-pc-msys/11.2.0/../../../x86_64-pc-msys/bin/ld: cannot find -lwinpthread ``` This would indicate that to build the system on windows, the `winpthread` project is needed yet it is not mentioned anywhere that I can see. I can also inform that it is not as just installing it from msys2, although that is for me to figure out why. The complete build log can be seen [here](https://github.com/renode/renode/files/8371116/renode_build_log.txt) Answers: username_0: So just to be sure I just tried with Cygwin as well. No luck. After installing winpthread for either environment and modifying `LIBRARY_PATH` before running `build.sh` so that winpthread could be located I get a quite a few undefined references. Not really sure what to do at this point.
kubernetes/kops
201107468
Title: Update validation for master instance groups Question: username_0: We need update validation for updates to the instance groups, in particular the master instance groups. The following should probably not be allowed: * Changing the role * Changing the count of instances (?) * Changing the zones for the IG (While we're here, we might as well also validate that the cluster etcd clusters aren't resized) Answers: username_1: I feel like there is another issue floating around for this very thing.. am I wrong? username_2: /lifecycle frozen /remove-lifecycle rotten This is a good starter issue 1. test to see if you can do these things 2. add validation to one of the appropriate files in here: https://github.com/kubernetes/kops/tree/master/pkg/apis/kops/validation 3. do not add the validation to legacy.go username_2: We need update validation for updates to the instance groups, in particular the master instance groups. The following should probably not be allowed: * Changing the role * Changing the count of instances (?) * Changing the zones for the IG (While we're here, we might as well also validate that the cluster etcd clusters aren't resized)
josdejong/mathjs
105856801
Title: 2 * 3 3 3 interpreted as syntax error Question: username_0: This is on the released version... 2 * 3 3 3 is interpreted as syntax error, but 2 * 3 3 is parsed as 2 * 3 * 3. 2 + 2 3 also gives a syntax error instead of 2 + 2 * 3 as expected. Maybe it's no longer a problem in develop? Answers: username_1: I didn't even know something like `2 * 3 3` was even possible. But looking at the source code of the parser I found this: https://github.com/username_2/mathjs/blob/248d314f3e8492f0b58019397810d2c87dc03807/lib/expression/parse.js#L880-L891 ```js // parse implicit multiplication if ((token_type == TOKENTYPE.SYMBOL) || (token == 'in' && (node && node.isConstantNode)) || (token_type == TOKENTYPE.NUMBER && !(node && node.isConstantNode)) || (token == '(' || token == '[')) { // symbol: implicit multiplication like '2a', '(2+3)a', 'a b' // number: implicit multiplication like '(2+3)2' // Note: we don't allow implicit multiplication between numbers, // like '2 3'. I'm not sure whether that is a good idea. // parenthesis: implicit multiplication like '2(3+4)', '(3+4)(1+2)', '2[1,2,3]' node = new OperatorNode('*', 'multiply', [node, parseMultiplyDivide()]); } ``` The comments suggest that implicit multiplication between numbers wasn't intended at all. In my understanding this means one of two things: 1. It is a bug that `2 * 3 3` works, according to the comments it shouldn't. 2. It is a bug that `2 * 3 3 3` doesn't work **and** that `2 3` doesn't work. But I don't quite understand the parser at this point. @username_2: What is your take on this. username_2: That's correct. Implicit multiplication between two numbers should not be supported, so "2 * 3 3" should throw an error instead of evaluating. Reason for not allowing implicit multiplication between values was that I thought it could easily lead to misreading expressions, you can easily confuse it with a list of values (how do you think `[1 2 3]` would evaluate? as `[1, 2, 3]` or as `[1 * 2 * 3]`?). username_2: This inconsistent behavior is fixed now in the `develop` branch. Status: Issue closed
micronaut-projects/micronaut-core
326568714
Title: Error when executing some CLI commands Question: username_0: Thanks for reporting an issue for Micronaut, please review the task list below before submitting the issue. Your issue report will be closed if the issue is incomplete and the below tasks not completed. NOTE: If you are unsure about something and the issue is more of a question a better place to ask questions is on Stack Overflow (http://stackoverflow.com/tags/micronaut) or Gitter (https://gitter.im/micronautfw/). DO NOT use the issue tracker to ask questions. ### Task List - [ ] Steps to reproduce provided - [ ] Stacktrace (if present) provided - [ ] Example that reproduces the problem uploaded to Github - [ ] Full description of the issue provided (see below) ### Steps to Reproduce 1. clone & build micronaut-core 2. clone & build micronaut-profiles 3. nm create-app mail-service ### Expected Behaviour A micronaut service is created ### Actual Behaviour | Error Error occurred running Micronaut CLI: while scanning for the next token found character '@' that cannot start any token. (Do not use @ for indentation) in 'reader', line 4, column 16: testFramework: @testFramework@ ^ while scanning for the next token found character '@' that cannot start any token. (Do not use @ for indentation) in 'reader', line 4, column 16: testFramework: @testFramework@ ^ at org.yaml.snakeyaml.scanner.ScannerImpl.fetchMoreTokens(ScannerImpl.java:421) at org.yaml.snakeyaml.scanner.ScannerImpl.checkToken(ScannerImpl.java:226) at org.yaml.snakeyaml.parser.ParserImpl$ParseBlockMappingValue.produce(ParserImpl.java:585) at org.yaml.snakeyaml.parser.ParserImpl.peekEvent(ParserImpl.java:157) at org.yaml.snakeyaml.parser.ParserImpl.checkEvent(ParserImpl.java:147) at org.yaml.snakeyaml.composer.Composer.composeNode(Composer.java:133) at org.yaml.snakeyaml.composer.Composer.composeValueNode(Composer.java:249) at org.yaml.snakeyaml.composer.Composer.composeMappingChildren(Composer.java:240) at org.yaml.snakeyaml.composer.Composer.composeMappingNode(Composer.java:228) at org.yaml.snakeyaml.composer.Composer.composeNode(Composer.java:154) at org.yaml.snakeyaml.composer.Composer.composeDocument(Composer.java:122) at org.yaml.snakeyaml.composer.Composer.getNode(Composer.java:84) at org.yaml.snakeyaml.constructor.BaseConstructor.getData(BaseConstructor.java:123) at org.yaml.snakeyaml.Yaml$1.next(Yaml.java:547) at io.micronaut.cli.config.CodeGenConfig.loadYml(CodeGenConfig.groovy:135) at io.micronaut.cli.config.CodeGenConfig$_loadYml_closure1.doCall(CodeGenConfig.groovy:127) at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62) at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) at java.lang.reflect.Method.invoke(Method.java:498) at org.codehaus.groovy.reflection.CachedMethod.invoke(CachedMethod.java:104) at groovy.lang.MetaMethod.doMethodInvoke(MetaMethod.java:326) at org.codehaus.groovy.runtime.metaclass.ClosureMetaClass.invokeMethod(ClosureMetaClass.java:264) at groovy.lang.MetaClassImpl.invokeMethod(MetaClassImpl.java:1041) [Truncated] at groovy.lang.Closure.call(Closure.java:437) at org.codehaus.groovy.runtime.IOGroovyMethods.withStream(IOGroovyMethods.java:1191) at org.codehaus.groovy.runtime.ResourceGroovyMethods.withInputStream(ResourceGroovyMethods.java:1878) at io.micronaut.cli.config.CodeGenConfig.loadYml(CodeGenConfig.groovy:126) at io.micronaut.cli.MicronautCli.loadApplicationConfig(MicronautCli.groovy:507) at io.micronaut.cli.MicronautCli.initializeApplication(MicronautCli.groovy:281) at io.micronaut.cli.MicronautCli.execute(MicronautCli.groovy:259) at io.micronaut.cli.MicronautCli.main(MicronautCli.groovy:158) | Error Error occurred running Micronaut CLI: while scanning for the next token found character '@' that cannot start any token. (Do not use @ for indentation) in 'reader', line 4, column 16: testFramework: @testFramework@ ### Environment Information - **Operating System**: Mac / zsh - **Micronaut Version:** Master - **JDK Version:** java version "1.8.0_152" Java(TM) SE Runtime Environment (build 1.8.0_152-b16) Java HotSpot(TM) 64-Bit Server VM (build 25.152-b16, mixed mode) Answers: username_1: I can't reproduce this on the latest core and profiles. My micronaut-cli.yml looks like: ``` profile: service defaultPackage: foo --- testFramework: junit sourceLanguage: java ``` username_2: I just had the same error, it happened while trying to execute `create-app hello-world` using the interactive mode. It doesn't print any error on the console and when I try to stop it I get a 'Stopping build. Please wait...' message and it just stays like that. I had to close the terminal and open a new one, so the `micronaut.yml` file is still there and I can't create any other project until I delete it. ### Environment Information - Operating System: Mac / bash - Micronaut Version: Master - java version "1.8.0_121" - Java(TM) SE Runtime Environment (build 1.8.0_121-b13) - Java HotSpot(TM) 64-Bit Server VM (build 25.121-b13, mixed mode) Hope this helps! username_3: ``` I'm not particularly happy with that behavior myself, but it's intentional. Personally I think a new project directory should always be the default unless the `inplace` flag is present. cc @username_1 username_2: @username_3 thanks for the clarification! I was double checking and indeed, I noticed that all the files/directories were created in the same directory (maybe some deadlock trying to acquire write permissions for some particular file?). Hope at least my case could give you a hint of why the cli is failing. username_0: I removed the micronaut-cli.yml and tried again without using the interactive shell and it worked properly. I guess it's a problem with the interactive shell then username_4: Been using the github build and now the sdk man and just fall on the same trap ! username_1: I can't reproduce the issue. If you come across it with M2 (released soon), please debug the CLI with `export MN_OPTS="-Xrunjdwp:transport=dt_socket,server=y,suspend=y,address=5005"` and report what you find Status: Issue closed
joerick/pyinstrument
352136920
Title: Feature Request: Attach & detach to a running process Question: username_0: I'd like to be able to run a long time process (for instance a server), attach to it, trace the calls, detach from it and get the frame timings. Answers: username_1: Cool idea. Could perhaps be possible with https://github.com/lmacken/pyrasite? username_0: For my use case a specific solution using https://github.com/Microsoft/ptvsd would do but if there's a more general way to do it I prefer so. username_1: true. I didn't actually manage to get pyrasite working on my mac just now. how are you imagining this working then? there's a dormant bit of pyinstrument that's already loaded into your server, and another process can message it to start/stop profiling and send output? username_0: That is definitely one option. I'd try to look for a standard way to attach to debug process and get back with my findings. username_2: I had similar idea, and here's how I would design it: 1. Program does `pyinstrument.enable_background_mode("/tmp/profile/")` 2. This installs a signal handler. Later: 1. User sends SIGUSR2 to process. This does `Profiler().start()` 2. User waits a minute. 3. user sends SIGUSR2 to the process. This stops the profiler and dumps to `/tmp/profile/<current timestamp>` username_2: Would you like the above as a PR? I could also do it as separate package. username_0: I think it can be useful as part of this package username_1: Yes! Happy to: - get a PR for the mechanism you describe, and I can implement my interface on top - or, a PR for the whole lot would be amazing. username_2: Ah, threads :( It looks you can only inject exceptions in other threads with `PyThreadState_SetAsyncExc`, not arbitrary code? That's annoying. I wonder if there's another way... username_1: Would main-thread-only be a deal-breaker for your use case? username_2: Just thinking about common use cases like threaded WSGI servers. username_1: yeah..... it's a pain for that use case. I'm wondering if we could use [threading.setprofile](https://docs.python.org/3/library/threading.html#threading.setprofile) to cover that off? But that would require the profiling to be always active, even if nothing was listening. Sounds like a performance hit. username_2: If you did that on C level it would be C-level `if` statement on every traceable event. Which is... still a performance hit, though one wonders how much. username_1: I've been looking around at other profilers, there's one called 'yappi' that can do this - it can make itself the profiler for all active threads, by editing a couple of fields on the PyThreadState object... [check it out](https://github.com/sumerc/yappi/blob/master/_yappi.c#L784) username_2: That makes me a little twitchy, but I guess if the setup API had strict Python version checks... username_2: Original implementation is presumably based on https://github.com/python/cpython/blob/b9a0376b0dedf16a2f82fa43d851119d1f7a2707/Python/ceval.c#L4700 username_2: For `sys.setprofile` it says "The function is thread-specific, but there is no way for the profiler to know about context switches between threads, so it does not make sense to use this in the presence of multiple threads." Is that still the case, or can pyinstrument reasonably get meaningful results when installed in multiple threads? username_1: Yeah, it's a little hacky. But I'd expect if a new version of Python changes their implementation, to see that in CI failures. It could be a fun thing to implement! Starting place would be an all-threads version of pyinstrument_cext.setprofile. As a feature/PR, it should probably be separated from the 'attach' functionality too. username_2: The issue with context switches on further thought is for tracing profilers only: 1. Function A in thread T1 STARTED 2. Context switch to T2 3. Later... 4. Context switch to T1 2. Function A in thread T1 finished So now profiler thinks that function A took longer than it did. Whereas sampling profiler shouldn't have that issue, I think? Anyway, for the feature, there's three parts: 1. API to install profiler in all threads. 2. `enable_background_profiler()` or some better name low-level implementation. 3. `pyinstrument attach` (which is a very good idea). Do you want to do any of those? I can probably over time do all of them, might just take longer. username_0: Keep in mind the common use case for servers is one thread locally, multiple threads deployed. username_3: https://github.com/benfred/py-spy does essentially this; you might see what method it uses. username_2: py-spy needs ptrace, so back to requiring root/privileged processes, which is what I'm trying to avoid. username_4: A very simple solution that could go quite a long way would be to add a `--duration=SECONDS` option that runs the python program for the given amount of time, then quits and displays the instrumentation report. Then you can start a server with e.g. 2 minutes duration, apply your load and get the result. username_1: @username_4 in that case, my normal pattern is to run the server with `pyinstrument <file.py>`, apply load, and then hit ctrl-c to kill it - pyinstrument prints the profile even if the program exits with failure. username_4: Ok, that didn't work for me due to other reasons (ctrl-c/SIGINT was not enough to stop the server). But I agree your proposed way is the way to go. Thanks.
BahamutDragon/pcgen
148168622
Title: [5e] [Beast Master] Incorrect stats for Beastmaster Companion Question: username_0: Attacks and skill bonuses appear to be computed incorrectly for the Beastmaster Companion. Test case: Panther on a level 5 ranger (+3 proficency). The PHB panther gets: 12 AC Claw attack at +4 to hit for 1d6+2 damage Bite attack at +4 to hit for 1d4+2 damage +4 Perception (as if it had Proficiency, given +2 WIS) +6 Stealth (as if it had Proficiency and Expertise, given +2 DEX) no special saves The PHB states "Add your proficiency bonus to the beast’s AC, attack rolls, and damage rolls, as well as to any saving throws and skills [the beast] is proficient in". As such, I expected the following stats: 15 AC Claw attack at +7 to hit for 1d6+5 damage Bite attack at +7 to hit for 1d4+5 damage +7 Perception (as if it had Proficiency, given +2 WIS) +9 Stealth (as if it had Proficiency and Expertise, given +2 DEX) instead, after equipping an Unarmed Strike, I got the following stats: 15 AC Unarmed attack at +9 to hit for 1+2 damage +2 Perception +2 Stealth Answers: username_1: Panther fixed, other companions will need more work. Status: Issue closed username_2: I'm working on that. If you look at my fork i've got the basic stats for all the companions that i started last night
redux-saga/redux-saga
404124987
Title: Scope `takeLatest` and `takeLeading` by ID Question: username_0: This is somewhat of a bump of https://github.com/redux-saga/redux-saga/issues/694 - but it's been a couple of years since then and I still think there is a good case to be made for an out-of-the-box solution here. I opened https://github.com/redux-saga/redux-saga/pull/1744 to address this point. Let's say you have a saga whose primary function is fetching a single user based on an ID - and let's say that you want to fetch multiple users around the same time, but you want to ensure that a maximum of one fetching task is running per ID. You'd want something like `takeLatest` and `takeLeading`, but scoped by something in the action that initiated the task. Examples: ```js function* fetchUser(action) { const { payload: { id } } = action const response = yield call(getUser, id) // ... } function* rootSaga() { yield takeLatestPerKey('FETCH_USER', fetchUser, action => { const { payload: { id } } = action return id; }) } ``` ```js function* fetchUser(action) { const { payload: { id } } = action const response = yield call(getUser, id) // ... } function* rootSaga() { yield takeLeadingPerKey('FETCH_USER', fetchUser, action => { const { payload: { id } } = action return id; }) } ``` Answers: username_0: Is there any interest in this or the PR it references? username_1: Hi - sorry for not responding back earlier. I'm unsure if this is in scope of the core library. Would love to see community-maintained addons package and maybe this would fit such perfectly? username_2: I definitely would like to see this in either this package or an add-on, as I've come across the need for this exact use case where I need only one saga per ACTION_TYPE/key combo to be running at any time. username_0: I would like to spin up a redux-saga-addons repository that is at the level of quality that redux-saga is in terms of documentation and the like, but I haven't found the time. If someone beats me to it, I'd like to put this code in a PR to that. username_2: @username_0 I wish I could help, but I don't have either the time or the expertise to create/maintain such a library. In the meantime, is there a way to modify your PR to work in my app? I took a look at your PR and saw you're using some functions that are not (to my knowledge) publicly exposed by redux-saga, so a straight copy of `takeLeadingPerKey()` wouldn't work. Is there anything I can do in the meantime to integrate such functionality into my app? username_0: Yes - take a look at the PR I opened in reference to this issue: https://github.com/redux-saga/redux-saga/pull/1744. The CodeSandbox examples have the function generator version of these helpers that you can copy-paste for your own use. Credit to @username_1 for coming up with the basis of these solutions here: https://github.com/redux-saga/redux-saga/issues/694. username_3: From what I've gathered, what blocks this from being readily available to people like me is the following: @username_1 understandably wants to keep the main project small and thinks this belongs in a separate, larger "addons" package. @username_0 agrees, but isn't ready to take on the responsibilities associated with maintaining such a package. I probably don't have the same experience as you, @username_0 and @username_1, so my reasoning here may be wrong, but is the only way forward for redux-saga addons to be put in _one_ (large) addons project? Wouldn't it be less taxing for both users and maintainers to split separate addons into separate packages? I think eslint plugins serve as a good example of how this could work for redux-saga: Their names all start with `eslint-plugin` and most of them adhere to the single responsibility principle. Couldn't the same be done for redux-saga-addons? I agree with you in that such addons should be as well documented as the main redux-saga library. I think that a reasonable quality level can be achieved by providing package creators with a good template for readmes and by setting a good example with the first few packages, perhaps nurturing them with PRs and feedback. As a reward, good addons could be included in some curated list in the official documentation. Couldn't we give it a try with this code and see how it goes? Although I've never made a package before, I could give it a shot if you allow me to, @username_0. It could be named something like `redux-saga-addon-scoped-take-helpers`. Do you like the idea? username_4: @username_0 I recently needed a similar behavior (basically the same but with topics), In my opinion, such behavior shouldn't belong the built-in library. This behavior can already be achieved, relatively easily with present apis. Here is an example to fetching users by id: import { takeEvery, takeLatest, put, select, delay, fork, cancelled, } from 'redux-saga/effects'; export const FETCH_USER_FLOW = 'FETCH_USER_FLOW'; export const fetchUserActionFlow = (id) => ({ type: FETCH_USER_FLOW, payload: { id }, }) export const fetchUserApiAction = (id) => (/* Complex Redux action for api dispatching */); export const selectUserById = id => state => _.get(state, `users[${id}]`, undefined); function* fetchUserById(action) { try { const { id } = action.payload; const user = yield select(selectUserById(id)); if (!user) { // Only needed if using takeLatest, give a 50ms delay to allow saga to cancel event // Can be commented out if using takeLeading yield delay(50); // dispatch api action yield put(fetchUserApiAction(id)); } } finally { if (yield cancelled()) { console.log(`fetchUserById got cancelled: ${action.type}`); } } } function* fetchFlowFork(actionType) { // here you can use either takeLeading or takeLatest depending on your needs yield takeLatest(actionType, fetchUserById); } function* fetchUserFlow(action) { // intercept main action with flow action const { id } = action.payload; // create "specific" dynamic id action type const idBasedActionType = `${action.type}:userId:${id}`; // fork to listen to new action (event is non blocking) yield fork(fetchFlowFork, idBasedActionType); // dispatch or "put" new action with the exact payload yield put({ type: idBasedActionType, payload: { id }, }) } export default [ takeEvery(FETCH_USER, fetchUserFlow), ]; This could, technically be made more dynamic and packed in a generator function that maybe gets a `keyToDynamicValue` and extract said key using `lodash` or something, but the logic is a real no brainer, I don't know if the effort is worth it ¯\_(ツ)_/¯ username_0: @username_4 Personally when I see things like delays and such, I tend to think they're not so simple. This issue and the accompanying PR (https://github.com/redux-saga/redux-saga/pull/1744) is over 1.5 years old. They've been bumped a few times, and there seems to be a general consensus that this sort of helper doesn't belong in the library because it's one level of abstraction too high and there's room for opinions as to the implementations. Perhaps it's best suited to documentation or an addons library like mentioned above. username_5: I have been looking around for a canonical/best practice solution, eventually settled on just using `takeEvery`, `fork` and `cancel` turns out to be a simple solution: ```javascript function* getUserById({payload}) { //...logic } const pendingTasks = {} function* getLatestUserById({payload: {id}}) { if(id in pendingTasks) { cancel(pendingTasks[id]) } pendingTasks[id] = fork(getUserById } function* rootSagas() { takeEvery(pattern, getLatestUserById); } ``` Hope this helps and is a good way of doing things. username_6: Closing due to inactivity. If someone finds this discussion useful we can convert it into a GH discussion and continue the conversation there. Status: Issue closed
refnx/refellips
1146489799
Title: Strip out methods in ObjectiveSE Question: username_0: ObjectiveSE inherits BaseObjective. THere's no need for ObjectiveSE to implement all the methods already defined in BaseObjective, unless they do something different. THe duplicate methods in ObjectiveSE should be removed. Answers: username_0: @igresh, is there a reason ObjectiveSE inherits `BaseObjective` rather than `Objective`?
haikuports/haikuports
237618983
Title: Something wrong with tinyxml recipe and package Question: username_0: Maybe something wrong with this... Answers: username_1: Please replace the line https://github.com/haikuports/haikuports/blob/master/dev-libs/tinyxml/tinyxml-2.6.2.recipe#L47 with: sed -e "s:@MAJOR_V@:2:" -e "s:@MINOR_V@:6.2:" $portDir/additional-files/Makefile > ./Makefile BTW one could also add a pkgconfig file. username_2: Not sure if it fixes it, but if someone could take a look at it ... https://github.com/username_2/haikuports/commit/d30249224c8aed1eb1bf4581c0a31dc49236f685 username_1: Should be fixed by 176e4a25c63e6538aa750bef3f8d19481911ebb4 Status: Issue closed
ESMCI/cime
949178848
Title: replay.sh: Capture script in provenance.py for archiving (E3SM) Question: username_0: We need to archive replay.sh in performance archive so that it can be picked up by PACE for E3SM. Logic needs to be added to https://github.com/ESMCI/cime/blob/master/scripts/lib/CIME/provenance.py#L400 cc @jasonb5 @rljacob<issue_closed> Status: Issue closed
bandithijo/st-bandithijo
929986269
Title: error ketika mengikuti instruksi di README.md Question: username_0: mungkin sebaiknya binary jangan di sertakan pada repo biarkan system sendiri sendiri untuk mencompilenya mas, karna saya menemukan error di system saya [![asciicast](https://asciinema.org/a/5d9JOIpCGVG42cLGdVNOeKHxU.svg)](https://asciinema.org/a/5d9JOIpCGVG42cLGdVNOeKHxU) Answers: username_1: oh siap. Nice catch! Terima kasih yaa masukannya. Nanti saya make clean. username_1: @username_0 Sip! Sudah tak clean yaa di commit ini a1abbaa username_0: Mantep mas, ditunggu patch selanjutnya Status: Issue closed
fslaborg/RProvider
998330351
Title: Release a R v3.5+ legacy version for .net framework use Question: username_0: **Is your feature request related to a problem? Please describe.** In the .net 5 release, we are removing support for mono and .net framework. However, the last release was broken on R3.5+ with an outstanding PR already submitted to fix this. **Describe the solution you'd like** Release a new patch version (i.e. 1.1.23) to support users on old platforms who simply require a working RProvider for now on R versions 3.5 and greater. **Describe alternatives you've considered** Abandoning users on .net framework and mono. **Additional context** NA
mortbopet/VSRTL
508082741
Title: Increase testing code coverage Question: username_0: Adding new unit tests to address some of the lesser covered parts of the source code would be a great way to familiarize oneself with the project. For the current status of the tests' code coverage, refer to: https://codecov.io/gh/username_0/VSRTL
telerik/kendo-ui-core
422272665
Title: Menu TagHelper does not handle asp-page attribute for rendering links Question: username_0: ### Bug report [The Menu TagHelper](https://github.com/telerik/kendo/blob/master/wrappers/mvc-6/src/Kendo.Mvc/TagHelpers/Menu/MenuItemTagHelper.cs#L248) does not render correct links for its items when the `asp-page` attribute is used. ### Reproduction of the problem The issue can be reproduced: 1) With area it does not render a link: ```cs <menu-item text="Home" asp-area="Products" asp-controller="Home" asp-action="About"></menu-item> ``` 2) Without area it renders an incorrect link ```cs <menu-item text="Login" asp-area="Products" asp-page="/Books"></menu-item> ``` ### Current behavior Menu items are rendered with incorrect/no link depending if an area is specified. ### Expected/desired behavior Menu itesm should be generated with a correct link. ### Environment * **Kendo UI version:** 2019.1.220 * **Browser:** [all]<issue_closed> Status: Issue closed
archimatetool/archi
229080381
Title: [Feature Request] Enhance the Validator to user ARM settings Question: username_0: It would be good to update the Validator code that checks for "Invalid nested elements" to take ARM settings into account and not warn for a nesting that is invalid in ArchiMate but has explicitely been allowed in ARM. Answers: username_1: Or provide an ARM option not to allow inverted nesting? username_0: But in this case if you allow it Validator should not warn ;-) username_1: Yes
naser44/1
89381483
Title: الطفل لا يمكنه البكاء حقيقة قبل مرور خمسة أسابيع على الأقل بعد الولادة . . إذ تب... Question: username_0: &#1573;&#1602;&#1585;&#1571; &#1575;&#1604;&#1605;&#1586;&#1610;&#1583;<br> .<br> .<br> .<br> http://ift.tt/1K10ld0<br> &#1575;&#1604;&#1605;&#1589;&#1583;&#1585;<br><a href="http://ift.tt/1MpfvtA">&#1593;&#1605;&#1608;</a>
ST-ChenQingchen/markdown-portfolio
803321574
Title: None Question: username_0: - [x] Turn on GitHub Pages 1. github.com 2. github.io 3. cv.com - [ ] Outline my portfolio - @someone - #deep-learning - [www.baidu.com](url) - **Try** - <del>HTML tags</del>. - [ ] Introduce myself to the world.
haxeui/haxeui-core
533215062
Title: @build macro issue 1.0.10 Question: username_0: C:/trunk/dev/Haxetoolkit/haxe/lib/haxeui-core/1,0,10/haxe/ui/macros/ComponentMacros.hx:136: characters 26-28 : Unknown identifier : c0 Source/Main.hx:20: characters 20-73 : Called from macro here C:/trunk/dev/Haxetoolkit/haxe/lib/haxeui-core/1,0,10/haxe/ui/macros/ComponentMacros.hx:137: characters 26-28 : Unknown identifier : c0 Source/Main.hx:20: characters 20-73 : Called from macro here C:/trunk/dev/Haxetoolkit/haxe/lib/haxeui-core/1,0,10/haxe/ui/macros/helpers/CodeBuilder.hx:11: lines 11-12 : Void should be haxe.ui.core.Component C:/trunk/dev/Haxetoolkit/haxe/lib/haxeui-core/1,0,10/haxe/ui/macros/helpers/CodeBuilder.hx:11: lines 11-12 : For function argument 'component' Source/Main.hx:8: lines 8-30 : Defined in this class It does not seem related to a path issue however. The errors do not occur when I comment out the @build macro. ComponentMacros.buildComponent does not cause compilation issues, but it could be related to [this issue](https://github.com/haxeui/haxeui-core/issues/318) Code to reproduce the issue: **Main.hx** `import haxe.ui.Toolkit; import haxe.ui.HaxeUIApp; import haxe.ui.macros.ComponentMacros; class Main { public static function main() { Toolkit.init(); var app = new HaxeUIApp(); app.ready(function() { app.addComponent(ComponentMacros.buildComponent("Assets/Xml/test.xml")); app.start(); }); } } @:build(haxe.ui.macros.ComponentMacros.build("Assets/Xml/test.xml"))//comment this out and it builds fine class SignatureView extends haxe.ui.core.Component { public function new() { super(); } }` **test.xml** `<button text="Ok"/> ` **project.xml** `<project> <meta title="Test" package="" version="1.0.0" company="" /> <app main="Main" path="Export" file="Main" /> <source path="Source" /> <haxelib name="openfl" /> <haxelib name="haxeui-core" /> <haxelib name="haxeui-openfl" /> </project>` Answers: username_1: Does the git version work? I think there might be an issue with 1.0.10, but not im 100% sure, would be great to confirm that. Cheers, Ian Status: Issue closed username_0: You're right, that works fine. Sorry, I'll close the issue then. username_1: OK, good to know though... Ill get another release out shortly. Thanks! Ian username_1: OK, im going to close this now as there is a new release which should have resolved this issue. Let me know if it doesnt! Cheers, Ian
firebase/quickstart-ios
170309802
Title: Support for "mutable-content": true Question: username_0: The FCM documentation at https://firebase.google.com/docs/cloud-messaging/http-server-ref#send-downstream does not make reference to the `mutable-content` key or a way to set the `mutable-content` key. if I include `"mutable-content": true` as part of the `notification` dictionary within the payload submitted to FCM, the value is received (outside of the `aps` dictionary) on iOS as ``` "gcm.notification.mutable-content" = true; ``` When will FCM support the mutable-content capability? How will I need to specify this within the FCM payload so that it will be received on iOS and allow the use of a `UNNotificationServiceExtension` to pre-process the received notification? Answers: username_1: (bump) Without this support in the HTTP API we cannot pre-process the received notification either. Setting the message in the notification body is not possible in our case. username_2: Same problem here username_3: Same here username_4: This is a big problem and needs to be fixed ASAP. Without it we can't make any progress on iOS 10 notification service and content extensions. username_5: I can not believe this is not fixed yet, should have been ready while iOS 10 was in beta. username_6: Thanks - we have a FR for it internally, and are looking at the server side changes now. No specific timelines I can share, but should be in a future release. Status: Issue closed username_7: @username_6 any update on this? username_6: No update, sorry username_8: we've been waiting for 3 months now, any updates at least ? username_9: @username_6 any news on this? username_10: @username_6 is there a timeline for this feature ? username_11: Any Updates please ? username_3: Any updates? Issue is closed now?? Firebase seems a bad choice as a push service provider if you care about ios. We really want to support rich notifications. username_6: Hi all - no update. Issue is closed as the tracker is for bugs on the samples. Support is still being worked on but we don't have a timeline - best place to check is the Firebase Release Notes and the firebase-talk Google group: https://firebase.google.com/support/ - sorry nothing more definitive right now! username_12: This is so bad. We moved everything to FCM and now its lacking the basic features. Why to change the payload to `"gcm.notification.mutable-content" = true;` ? username_6: Appreciate your frustration - we should have been ahead of this one, sorry. username_13: @username_6 but why did you closed this issue .. you need to set bug or enhancement tag on it username_6: Because this issue tracker is for samples, and this is not an issue with the samples. username_0: Not trying to be disagreeable, but the sample _should_ show how to do this. username_6: Yeah, I get that, but the max the sample should show how to do is things the product does. If we supported mutable-content, and the sample didn't show it, that would be a clear sample bug. Its worth noting there is a specific place for filing product bugs and feature requests too ( https://firebase.google.com/support/contact/bugs-features/) so I'm not trying to shut down otherwise useful feedback! username_14: omg, still no fix ? username_6: Just an update for anyone checking the new release for this: its being worked on, but we wont have anything until next year, sorry. username_15: sorry sir, currently i need to feature send notification with image, but the firebase it not support now, so can you tell me when firebase support this feature? i need to time clear that have timeline for my project, so please answer ASAP thank so much! username_16: @username_6 can you open up the API so we aren't relying on the SDK to whitelist adding these kinds of attributes to payloads? For future-proofing if the SDK isn't going to move as fast as client feature releases. username_17: @username_6 Thanks for the heads up. Is there any way to escalate this issue? Anything I can do, e.g. file anything similar to Apple's radar? username_18: So basically, If I understood well, we can't use rich notifications on ios 10, because FCM client can't find "mutable-content" in "aps -> notification" node of push message? NotificationService and NotificationContent extension in that case are not triggered and rich notifications are not created by the iOS 10... This will be possible next year? username_6: @username_17 https://firebase.google.com/support/contact/bugs-features/ is the closest thing to a radar. username_19: I hope this to be fixed ASAP as well. I write a bug report to above link also. (Everyone who enters this thread should send one bug report for each one. So they can quickly recognize how this is huge bug.) username_20: Is it possible to include the image URL in the data message and create a local notification with image downloaded? username_16: @username_6 is there any update on rich notification support? username_21: @username_6 Hi, have you an idea about when this fix will be released ? username_22: Hey guys, just migrated from Parse and found out that 'mutable-content' is not supported. Thought it'd be working out of the box considering iOS10 was released nearly 5 months ago... Anyway, any idea/update about when this will be added? @username_6 username_22: @username_21 Thanks! Well I can't really wait to see this implemented (or not) in the release notes... Also not exactly confident about using something that's 5 months late feature-wise (especially for something as trivial as this) so I guess I'll use something else. username_23: Will we ever have any update on this? Or should I consider using other solutions as soon as possible? username_24: Is there any update on this? We need rich notifications support from firebase. username_17: @username_24 You can have iOS10 rich notification working on Firebase with little bit more work. Hint: Use [`click_action`](https://firebase.google.com/docs/cloud-messaging/http-server-ref#notification-payload-support). What's missing is being able to mutate the content of the notification, like add an image, for example without implementing `Notification Content` target. username_23: @username_17 that's great, but as far as I know click action was here before iOS 10, what we can't do now is, as you mentioned, mutating the content, like loading and configuring the notification to present in a notification content extension with rich data (which is iOS 10 specific) since our notification service extension never gets called. Please correct me, if I'm wrong. username_17: @username_23 You don't need to mutate the content in order to use the `Notification Content Extension` and show custom UI. Notification Content extension can be triggered via `click-action`, which translates into `category` when sent to APNS. That's what I do in my current app. Only `Notification Service Extension` can't be triggered at the moment as you need the `mutable-content` flag. username_23: @username_17 that is cool, but in my case the `Notification Content Extension` needs more data, basically the `Notification Service Extension` has to ask the server for more data. But I'll try to skip this step or just use the node apns module on the server. Thanks anyway :) username_17: @username_23 Sure, no prob :) You can request the additional data in the `Notification Content Extension`. username_24: @username_17 thanks man. I'll try it out. username_25: I guess im not the only one waiting on a fix username_14: When are we getting a fix on this ? Please!!! Lg Sent from my iPhone 6 Plus > username_26: Come on Firebase... People are waiting for this for a long long time now. Please deliver on your statements of being truly a cross platform solution for us mobile developers. This is a very important feature that we REALLY need supported. so PLEASE!!! username_27: Really, after more than 5 months, nothing??? username_17: Hey all, For anyone missing this feature badly, don't hesitate to file an official feature request with critical urgency at https://firebase.google.com/support/contact/bugs-features/ I recommend using the same title as this github issue and adding a link to the description. I believe that this could help the engineers and/or managers at Firebase prioritize this issue internally, after seeing how many people need this. username_28: Well, if you are counting on it be aware that it looks like it is not even is not even in development yet, let alone scheduled to be released shortly. --- [Speculation] Well, it is kind of understandable as adding this mutable tag to the payload is more than meets the eye. I initially thought it would be just adding a `mutable` tag to the notification payload until we started doing it on our own push sender mechanism. When dealing with an app extension while having data on a local database means that you need to use an [app group](https://developer.apple.com/library/content/documentation/Miscellaneous/Reference/EntitlementKeyReference/Chapters/EnablingAppSandbox.html#//apple_ref/doc/uid/TP40011195-CH4-SW19) to share data between the app and the extension. Also, you have to migrate the data manually from the app to the app group and, if I had to guess, I would say that they want to make this step as straightforward as possible for developers, which can lead to a lot of complications, resulting in the humungous delay on delivering it. username_29: Hi All, We added the [`mutable_content`](https://firebase.google.com/docs/cloud-messaging/http-server-ref#downstream-http-messages-json) field to FCM API. Notification messages sent with `mutable_content` set to true can be intercepted on iOS 10+ clients and be updated before being presented to the user. The `mutable_content` field maps to the `mutable-content` field on APNs. username_28: That's great news! I am not even sad anymore that the support team had no idea of what was going on @username_29 Do you know if we can expect Firebase SDKs to behave properly even with this [app group issue](https://github.com/firebase/quickstart-ios/issues/70#issuecomment-279380765) when sharing content data between app and app extensions? If not, do you know who can provide this kind of information? username_29: Hi @username_28 from an FCM perspective the app group should not have any impact on the receipt of messages. I would assume the same for the other SDKs but I'm less sure about it's impact on them. I will raise it with my team and we will be sure to address any issues that come up, thanks for flagging it. username_27: @username_29 thanks. Did you guys add this to the Notifications UI console? That's where I need it first. username_14: This is just embarrassing! . Such a quick and easy implementation. And yet we are waiting for 6 months. Lg Sent from my iPhone 6 Plus > username_30: Works perfectly for the rich notifications. username_6: Locking this thread as it is now available in the API. Feel free to raise other feature requests with support - or open issues for other concerns!
lan-tianxiang/jd_shell
845996728
Title: 有个云主机,装了ubuntu,能不能通过公网ip Question: username_0: 已经按照liunx教程按照, 公网ip:5678无法进入 Answers: username_0: 已经按照liunx教程按照, 公网ip:5678无法进入 username_1: 您好,ubuntu有没有放行端口呢 username_1: sudo ufw allow 5678 username_0: ![image](https://user-images.githubusercontent.com/26049566/113132907-a4cf7e00-9251-11eb-80aa-3a8a92c49dc3.png) ![image](https://user-images.githubusercontent.com/26049566/113132933-af8a1300-9251-11eb-83b2-18df1ebb4be0.png) ![image](https://user-images.githubusercontent.com/26049566/113132990-c3ce1000-9251-11eb-9830-783f476390bc.png) 老大,我试了,还是不行 username_1: 我把你上面的回复删除了 username_1: 你留一个方式 username_1: 可以,信得过我也行 username_1: qq 你留一个 username_1: 我看到了就删 Status: Issue closed
RobertKajnak/BakaTsukiToDocx
222645545
Title: Tables are not handled and may cause issues Question: username_0: e.g. https://www.baka-tsuki.org/project/index.php?title=Seirei_Tsukai_no_Blade_Dance:Volume_9 In any case, the last table from the chapter should be ignored (it is the redirection to next volume). Although it might be good to give an option to download all volumes at once
vlang/v
821256165
Title: vab run --log now complains about private method for dummy clipboard when it used to work Question: username_0: **V version:** V 0.2.2 23f231e.38495da **OS:** macos, macOS, 11.2.1, 20D74 **What did you do?** `vab run --log --device auto --api 29 ~/vlang/ui/examples/users_resizable.v` **What did you expect to see?** No failure (as it was 1 or 2 days ago) **What did you see instead?** ```v Notice: Android API level 29 is less than the recomended level (30). /Users/username_0/vlang/v/v failed with return code 1 /Users/username_0/vlang/v/vlib/clipboard/clipboard.v:11:12: error: method `clipboard.Clipboard.set_text` is private 9 | // copy copies `text` into the clipboard. 10 | pub fn (mut cb Clipboard) copy(text string) bool { 11 | return cb.set_text(text) | ~~~~~~~~~~~~~~ 12 | } 13 | /Users/username_0/vlang/v/vlib/clipboard/clipboard.v:16:12: error: method `clipboard.Clipboard.get_text` is private 14 | // paste returns current entry as a `string` from the clipboard. 15 | pub fn (mut cb Clipboard) paste() string { 16 | return cb.get_text() | ~~~~~~~~~~ 17 | } 18 | /Users/username_0/vlang/v/vlib/clipboard/clipboard.v:21:5: error: method `clipboard.Clipboard.clear` is private 19 | // clear_all clears the clipboard. 20 | pub fn (mut cb Clipboard) clear_all() { 21 | cb.clear() | ~~~~~~~ 22 | } 23 | /Users/username_0/vlang/v/vlib/clipboard/clipboard.v:26:5: error: method `clipboard.Clipboard.free` is private 24 | // destroy destroys the clipboard and free it's resources. 25 | pub fn (mut cb Clipboard) destroy() { 26 | cb.free() | ~~~~~~ 27 | } 28 | /Users/username_0/vlang/v/vlib/clipboard/clipboard.v:31:12: error: method `clipboard.Clipboard.has_ownership` is private 29 | // check_ownership returns `true` if the `Clipboard` has the content ownership. 30 | pub fn (cb Clipboard) check_ownership() bool { 31 | return cb.has_ownership() | ~~~~~~~~~~~~~~~ 32 | } 33 | /Users/username_0/vlang/v/vlib/clipboard/clipboard.v:36:12: error: method `clipboard.Clipboard.check_availability` is private 34 | // is_available returns `true` if the clipboard is available for use. 35 | pub fn (cb &Clipboard) is_available() bool { 36 | return cb.check_availability() | ~~~~~~~~~~~~~~~~~~~~ 37 | } ``` Answers: username_1: Could it be related to #9062 ? username_0: Yep! @ned had same comment on discord. username_0: Same error occurs on Linux as mentionned on discord. username_1: Attempted fix in #9107 Status: Issue closed
datarhei/restreamer
333683585
Title: snapshot interval change not accepted Question: username_0: Hello, I use restreamer on Docker for Windows (Win10 x64 1803) via Kitematic and a Hyper-V machine. All works perfect IO get a stream except for the snapshot interval settings. I got a problem with restreamer environment variables adjustments. I wanted to shorten the interval from 60 seconds (default) to 10 seconds (10000). I tried to changed the environment variables add "SNAPSHOT_REFRESH_INTERVAL=10000" to the container and also tried "RS_SNAPSHOT_REFRESH_INTERVAL=10000". The change is shown in the log: ![grafik](https://user-images.githubusercontent.com/40394932/41601629-3dc0ca78-73d9-11e8-9823-212590088026.png) but as you can see the snapshots are still taken after an interval of 60 seconds. Nothing changes. Can you help me? Do I need to edit this setting anywhere else? Answers: username_1: This could be a bug. We will inventigate this. Status: Issue closed username_1: This was actually a bug. If you specify the snapshot interval in milliseconds (in your case 10000), it will not be accepted (it has to be at least 30001 milliseconds). If you specify it as "10s", then it will be accepted. You should set the environment variable like this: "RS_SNAPSHOT_REFRESH_INTERVAL=10s". However values lower than 10 seconds will not be accepted. This will be fixed in the next version.
wenzhixin/bootstrap-table
568820919
Title: Filtercontrol filter resets filterBy Question: username_0: Steps to reproduce: 1. use the FilterBy function to filter some rows 2. select a value from the select (filtercontrol) 3. all rows will with the selected value will apear (also that which should filtered out, because of the filterBy) Example: https://live.bootstrap-table.com/code/username_0/1908<issue_closed> Status: Issue closed
arachnidlabs/cyflash
165160627
Title: Python 2 and 3 compatibility priorities Question: username_0: What are the priorities with Python 2 and 3 compatibility? As it currently stands the code is not fully compatible with with both versions. Since this is a utility that installs and runs independently, I'm not sure Python 2 support needs to be a priority. Most systems have both installed, and some just python3, so it can be insatalled via `python3 setup.py install` easily enough. If compatibility is important, I'll recommend adding the `future` module as a requirement. If Python2 support isn't important, I'll clean up things for a pure Python3 package. Status: Issue closed Answers: username_1: As far as I know, this is done.
rust-lang/docker-rust
431327777
Title: Why no caching? All dependencies are re-compiled every time. Question: username_0: I found this [elaborate guide](http://whitfin.io/speeding-up-rust-docker-builds/) or how to cache dependencies for anyone interested, but it seems like both of the features listed in there: caching the dependencies, and optimizing the image size, should be part of this docker already. Answers: username_1: There is no way to do it in this image. These steps have to be done by the project building on top of the base image. Note that you can further reduce the size by using `debian:stretch` instead of `rust` for the second stage. username_2: If you have specific suggestions on changes to the Dockerfiles, I'd be interested in hearing them, but "make caching work" is not really actionable. Status: Issue closed username_0: Maybe just linking to the guide I posted in the docker readme, since cargo doesn't yet have a `--build-dependencies` option.
onsi/ginkgo
822170541
Title: Feature Request: Add functions for test templates Question: username_0: https://github.com/username_1/ginkgo/pull/752 Introduced the ability to use custom templates to generate test files. I's like to add additional template functions for better controlling and enriching the generated templates, for example by using [sprig](https://github.com/Masterminds/sprig) Willing to PR this if you'd like Answers: username_1: Go for it! Status: Issue closed
wang-xinyu/tensorrtx
635129025
Title: 是否计划实现mobilenetx0.25版本的retinaface人脸检测? Question: username_0: 您好,请问是否计划实现mobilenetx0.25版本的retinaface人脸检测呢?谢谢! Answers: username_1: 目前还没,有计划做一下retinafaceAntiCov那个模型 username_0: 我把mobilenetx0.25版本实现了 Status: Issue closed username_2: Hello MR @username_0 Could you share the mobilenet0.25 of retinaface? username_0: @username_2 Sorry for not paying attention to this message. Do you still need this code now ? username_2: @username_0 Could you please? I would really appreciate it username_0: @username_2 I will clean up the useless code in the next few days, and I will send it to you by email. username_2: @username_0 Oh my goodness... You are so kind. Your code will be really helpful to process my works.
kulshekhar/ts-jest
202367962
Title: [React-Native] SyntaxError: Unexpected token import Question: username_0: package.json: https://gist.github.com/username_0/b8d343e17b521182d61515cdbc15c5bb tsconfig.json: https://gist.github.com/username_0/88acca172a37fada578e98af3b072452 ReactNative Version: 0.40 system: Mac 10.12 node: v6.9.1 Question: run jest, get unexpected token import error. error: FAIL src/model/__tests__/schedule.test.ts ● Test suite failed to run /Users/lxxyx/Desktop/app/iNCU/src/model/__tests__/schedule.test.ts:9 import scheduleModel from '../schedule'; ^^^^^^ SyntaxError: Unexpected token import at transformAndBuildScript (node_modules/jest-runtime/build/transform.js:320:12) at handle (node_modules/worker-farm/lib/child/index.js:41:8) at process.<anonymous> (node_modules/worker-farm/lib/child/index.js:47:3) at emitTwo (events.js:106:13) Answers: username_1: I can't take a look at this right away but if you create a minimal repo that reproduces this, it'll make it easier for me to assess this when I have the time username_0: while change tsconfig module to commonjs, fixed Status: Issue closed
desertfox94/fhl.swt.monopoly
329093105
Title: Git-repository aufräumen Question: username_0: Das repository, sowie die gitigore müssen überarbeitet werden, sodass keine lokalen informationen ins repository kommen. encoding probleme einige Dateien sind in UTF-8, während andere in cp1252 formatiert sind. dies problem soll entweder im git oder in der ide gelöst werden. Answers: username_1: .gitconfig und .gitattributes und der "cp1252"-diff wurden erzeugt. Status: Issue closed