Unnamed: 0 int64 0 832k | id float64 2.49B 32.1B | type stringclasses 1 value | created_at stringlengths 19 19 | repo stringlengths 5 112 | repo_url stringlengths 34 141 | action stringclasses 3 values | title stringlengths 1 855 | labels stringlengths 4 721 | body stringlengths 1 261k | index stringclasses 13 values | text_combine stringlengths 96 261k | label stringclasses 2 values | text stringlengths 96 240k | binary_label int64 0 1 |
|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|
689,535 | 23,623,842,794 | IssuesEvent | 2022-08-25 00:23:54 | PrefectHQ/prefect | https://api.github.com/repos/PrefectHQ/prefect | closed | Module import fails when deploying using Deployment.build_from_flow and remote storage and agent on a remove server | bug status:backlog v2 priority:high component:deployment | ### First check
- [X] I added a descriptive title to this issue.
- [X] I used the GitHub search to find a similar issue and didn't find it.
- [X] I searched the Prefect documentation for this issue.
- [X] I checked that this issue is related to Prefect and not one of its dependencies.
### Bug summary
I'm using the new pythonic way to deploy in v2.1.0 with a RemoteFileSystem storage.
The deployment works fine, but when running the flow, an exception is raised, the script is not found.
FileNotFoundError: [Errno 2] No such file or directory: '/home/me/prefect/tasks/amsru.py'
(...detailed tracback here...)
prefect.exceptions.ScriptError: Script at '/home/me/prefect/tasks/amsru.py' encountered an exception
I have a deploy.py file in /home/me/prefect which "import tasks.amsru" because the flow is in '/home/me/prefect/tasks/amsru.py'. This is very similar to @anna-geller example.
It seems the error is because the agent on the server tries to import tasks.amsru from its local filesystem instead of the remote storage. I've checked that the tasks/ directory is uploaded on the remote storage and is up to date.
I suspect the problem is L479 in deployments.py:
deployment.entrypoint = f"{Path(flow_file).absolute()}:{flow.fn.__name__}"
the entrypoint is defined in a different why when using the CLI L483 in cli/deployment.py
This bug might be related to #6463
### Reproduction
```python
in the main.py file
from flows.healthcheck import healthcheck
from prefect.deployments import Deployment
from prefect.filesystems import S3
from prefect.filesystems import RemoteFileSystem
deployment = Deployment.build_from_flow(
flow=healthcheck,
name="pythonics3",
description="hi!",
version="1",
work_queue_name="default",
tags=["myproject"],
storage=RemoteFileSystem.load("code"),
infra_overrides=dict(env={"PREFECT_LOGGING_LEVEL": "DEBUG"}),
output="pythonics3.yaml",
)
if __name__ == "__main__":
deployment.apply()
------
And in the flows/healthcheck.py file:
from prefect import flow
@flow
def healthcheck():
return 'ok'
```
### Error
```
Traceback (most recent call last):
File "<frozen importlib._bootstrap_external>", line 846, in exec_module
File "<frozen importlib._bootstrap_external>", line 982, in get_code
File "<frozen importlib._bootstrap_external>", line 1039, in get_data
FileNotFoundError: [Errno 2] No such file or directory: '/home/me/prefect/tasks/amsru.py'
The above exception was the direct cause of the following exception:
Traceback (most recent call last):
File "/home/me/miniconda3/envs/prefect/lib/python3.9/site-packages/prefect/engine.py", line 246, in retrieve_flow_then_begin_flow_run
flow = await load_flow_from_flow_run(flow_run, client=client)
File "/home/me/miniconda3/envs/prefect/lib/python3.9/site-packages/prefect/client.py", line 105, in with_injected_client
return await fn(*args, **kwargs)
File "/home/me/miniconda3/envs/prefect/lib/python3.9/site-packages/prefect/deployments.py", line 73, in load_flow_from_flow_run
flow = await run_sync_in_worker_thread(import_object, str(import_path))
File "/home/me/miniconda3/envs/prefect/lib/python3.9/site-packages/prefect/utilities/asyncutils.py", line 56, in run_sync_in_worker_thread
return await anyio.to_thread.run_sync(call, cancellable=True)
File "/home/me/miniconda3/envs/prefect/lib/python3.9/site-packages/anyio/to_thread.py", line 31, in run_sync
return await get_asynclib().run_sync_in_worker_thread(
File "/home/me/miniconda3/envs/prefect/lib/python3.9/site-packages/anyio/_backends/_asyncio.py", line 937, in run_sync_in_worker_thread
return await future
File "/home/me/miniconda3/envs/prefect/lib/python3.9/site-packages/anyio/_backends/_asyncio.py", line 867, in run
result = context.run(func, *args)
File "/home/me/miniconda3/envs/prefect/lib/python3.9/site-packages/prefect/utilities/importtools.py", line 193, in import_object
module = load_script_as_module(script_path)
File "/home/me/miniconda3/envs/prefect/lib/python3.9/site-packages/prefect/utilities/importtools.py", line 156, in load_script_as_module
raise ScriptError(user_exc=exc, path=path) from exc
prefect.exceptions.ScriptError: Script at '/home/me/prefect/tasks/amsru.py' encountered an exception
```
### Versions
```
Version: 2.1.0
API version: 0.8.0
Python version: 3.9.13
Git commit: 30ca715c
Built: Wed, Aug 17, 2022 5:13 PM
OS/Arch: linux/x86_64
Profile: default
Server type: hosted
```
### Additional context
none | 1.0 | Module import fails when deploying using Deployment.build_from_flow and remote storage and agent on a remove server - ### First check
- [X] I added a descriptive title to this issue.
- [X] I used the GitHub search to find a similar issue and didn't find it.
- [X] I searched the Prefect documentation for this issue.
- [X] I checked that this issue is related to Prefect and not one of its dependencies.
### Bug summary
I'm using the new pythonic way to deploy in v2.1.0 with a RemoteFileSystem storage.
The deployment works fine, but when running the flow, an exception is raised, the script is not found.
FileNotFoundError: [Errno 2] No such file or directory: '/home/me/prefect/tasks/amsru.py'
(...detailed tracback here...)
prefect.exceptions.ScriptError: Script at '/home/me/prefect/tasks/amsru.py' encountered an exception
I have a deploy.py file in /home/me/prefect which "import tasks.amsru" because the flow is in '/home/me/prefect/tasks/amsru.py'. This is very similar to @anna-geller example.
It seems the error is because the agent on the server tries to import tasks.amsru from its local filesystem instead of the remote storage. I've checked that the tasks/ directory is uploaded on the remote storage and is up to date.
I suspect the problem is L479 in deployments.py:
deployment.entrypoint = f"{Path(flow_file).absolute()}:{flow.fn.__name__}"
the entrypoint is defined in a different why when using the CLI L483 in cli/deployment.py
This bug might be related to #6463
### Reproduction
```python
in the main.py file
from flows.healthcheck import healthcheck
from prefect.deployments import Deployment
from prefect.filesystems import S3
from prefect.filesystems import RemoteFileSystem
deployment = Deployment.build_from_flow(
flow=healthcheck,
name="pythonics3",
description="hi!",
version="1",
work_queue_name="default",
tags=["myproject"],
storage=RemoteFileSystem.load("code"),
infra_overrides=dict(env={"PREFECT_LOGGING_LEVEL": "DEBUG"}),
output="pythonics3.yaml",
)
if __name__ == "__main__":
deployment.apply()
------
And in the flows/healthcheck.py file:
from prefect import flow
@flow
def healthcheck():
return 'ok'
```
### Error
```
Traceback (most recent call last):
File "<frozen importlib._bootstrap_external>", line 846, in exec_module
File "<frozen importlib._bootstrap_external>", line 982, in get_code
File "<frozen importlib._bootstrap_external>", line 1039, in get_data
FileNotFoundError: [Errno 2] No such file or directory: '/home/me/prefect/tasks/amsru.py'
The above exception was the direct cause of the following exception:
Traceback (most recent call last):
File "/home/me/miniconda3/envs/prefect/lib/python3.9/site-packages/prefect/engine.py", line 246, in retrieve_flow_then_begin_flow_run
flow = await load_flow_from_flow_run(flow_run, client=client)
File "/home/me/miniconda3/envs/prefect/lib/python3.9/site-packages/prefect/client.py", line 105, in with_injected_client
return await fn(*args, **kwargs)
File "/home/me/miniconda3/envs/prefect/lib/python3.9/site-packages/prefect/deployments.py", line 73, in load_flow_from_flow_run
flow = await run_sync_in_worker_thread(import_object, str(import_path))
File "/home/me/miniconda3/envs/prefect/lib/python3.9/site-packages/prefect/utilities/asyncutils.py", line 56, in run_sync_in_worker_thread
return await anyio.to_thread.run_sync(call, cancellable=True)
File "/home/me/miniconda3/envs/prefect/lib/python3.9/site-packages/anyio/to_thread.py", line 31, in run_sync
return await get_asynclib().run_sync_in_worker_thread(
File "/home/me/miniconda3/envs/prefect/lib/python3.9/site-packages/anyio/_backends/_asyncio.py", line 937, in run_sync_in_worker_thread
return await future
File "/home/me/miniconda3/envs/prefect/lib/python3.9/site-packages/anyio/_backends/_asyncio.py", line 867, in run
result = context.run(func, *args)
File "/home/me/miniconda3/envs/prefect/lib/python3.9/site-packages/prefect/utilities/importtools.py", line 193, in import_object
module = load_script_as_module(script_path)
File "/home/me/miniconda3/envs/prefect/lib/python3.9/site-packages/prefect/utilities/importtools.py", line 156, in load_script_as_module
raise ScriptError(user_exc=exc, path=path) from exc
prefect.exceptions.ScriptError: Script at '/home/me/prefect/tasks/amsru.py' encountered an exception
```
### Versions
```
Version: 2.1.0
API version: 0.8.0
Python version: 3.9.13
Git commit: 30ca715c
Built: Wed, Aug 17, 2022 5:13 PM
OS/Arch: linux/x86_64
Profile: default
Server type: hosted
```
### Additional context
none | priority | module import fails when deploying using deployment build from flow and remote storage and agent on a remove server first check i added a descriptive title to this issue i used the github search to find a similar issue and didn t find it i searched the prefect documentation for this issue i checked that this issue is related to prefect and not one of its dependencies bug summary i m using the new pythonic way to deploy in with a remotefilesystem storage the deployment works fine but when running the flow an exception is raised the script is not found filenotfounderror no such file or directory home me prefect tasks amsru py detailed tracback here prefect exceptions scripterror script at home me prefect tasks amsru py encountered an exception i have a deploy py file in home me prefect which import tasks amsru because the flow is in home me prefect tasks amsru py this is very similar to anna geller example it seems the error is because the agent on the server tries to import tasks amsru from its local filesystem instead of the remote storage i ve checked that the tasks directory is uploaded on the remote storage and is up to date i suspect the problem is in deployments py deployment entrypoint f path flow file absolute flow fn name the entrypoint is defined in a different why when using the cli in cli deployment py this bug might be related to reproduction python in the main py file from flows healthcheck import healthcheck from prefect deployments import deployment from prefect filesystems import from prefect filesystems import remotefilesystem deployment deployment build from flow flow healthcheck name description hi version work queue name default tags storage remotefilesystem load code infra overrides dict env prefect logging level debug output yaml if name main deployment apply and in the flows healthcheck py file from prefect import flow flow def healthcheck return ok error traceback most recent call last file line in exec module file line in get code file line in get data filenotfounderror no such file or directory home me prefect tasks amsru py the above exception was the direct cause of the following exception traceback most recent call last file home me envs prefect lib site packages prefect engine py line in retrieve flow then begin flow run flow await load flow from flow run flow run client client file home me envs prefect lib site packages prefect client py line in with injected client return await fn args kwargs file home me envs prefect lib site packages prefect deployments py line in load flow from flow run flow await run sync in worker thread import object str import path file home me envs prefect lib site packages prefect utilities asyncutils py line in run sync in worker thread return await anyio to thread run sync call cancellable true file home me envs prefect lib site packages anyio to thread py line in run sync return await get asynclib run sync in worker thread file home me envs prefect lib site packages anyio backends asyncio py line in run sync in worker thread return await future file home me envs prefect lib site packages anyio backends asyncio py line in run result context run func args file home me envs prefect lib site packages prefect utilities importtools py line in import object module load script as module script path file home me envs prefect lib site packages prefect utilities importtools py line in load script as module raise scripterror user exc exc path path from exc prefect exceptions scripterror script at home me prefect tasks amsru py encountered an exception versions version api version python version git commit built wed aug pm os arch linux profile default server type hosted additional context none | 1 |
394,830 | 11,649,240,711 | IssuesEvent | 2020-03-02 01:09:59 | makstermaki/Home-Broadcaster | https://api.github.com/repos/makstermaki/Home-Broadcaster | closed | Implement randomly ordered channels | high priority | Currently channels only run in sequential order. A new option should be added to the configuration file so that instead, the episodes are played in random order.
Along with this new option, a sub-option should be added of chunk size. When playing the episodes for a show in random order, the show will first be split into chunks of the user set size and then play in random order. | 1.0 | Implement randomly ordered channels - Currently channels only run in sequential order. A new option should be added to the configuration file so that instead, the episodes are played in random order.
Along with this new option, a sub-option should be added of chunk size. When playing the episodes for a show in random order, the show will first be split into chunks of the user set size and then play in random order. | priority | implement randomly ordered channels currently channels only run in sequential order a new option should be added to the configuration file so that instead the episodes are played in random order along with this new option a sub option should be added of chunk size when playing the episodes for a show in random order the show will first be split into chunks of the user set size and then play in random order | 1 |
752,688 | 26,295,464,740 | IssuesEvent | 2023-01-08 22:50:55 | adamritter/nostr-relaypool-ts | https://api.github.com/repos/adamritter/nostr-relaypool-ts | closed | caching events by id and profile / contacts requests | high priority | Events by id should be always cached, but profile / contacts may change over time, so the filters should contain an option (notFromCache) that doesn't look at cache for returning the result (it updates the cache though). | 1.0 | caching events by id and profile / contacts requests - Events by id should be always cached, but profile / contacts may change over time, so the filters should contain an option (notFromCache) that doesn't look at cache for returning the result (it updates the cache though). | priority | caching events by id and profile contacts requests events by id should be always cached but profile contacts may change over time so the filters should contain an option notfromcache that doesn t look at cache for returning the result it updates the cache though | 1 |
521,064 | 15,101,279,806 | IssuesEvent | 2021-02-08 07:12:48 | webcompat/web-bugs | https://api.github.com/repos/webcompat/web-bugs | closed | www.youtube.com - site is not usable | browser-firefox engine-gecko ml-needsdiagnosis-false ml-probability-high priority-critical | <!-- @browser: Firefox 85.0 -->
<!-- @ua_header: Mozilla/5.0 (Windows NT 10.0; Win64; x64; rv:85.0) Gecko/20100101 Firefox/85.0 -->
<!-- @reported_with: addon-reporter-firefox -->
<!-- @public_url: https://github.com/webcompat/web-bugs/issues/66830 -->
**URL**: https://www.youtube.com/
**Browser / Version**: Firefox 85.0
**Operating System**: Windows 10
**Tested Another Browser**: Yes Chrome
**Problem type**: Site is not usable
**Description**: Browser unsupported
**Steps to Reproduce**:
mesmo reiniciando meu PC,o youtube não funciona por nada
<details>
<summary>View the screenshot</summary>
<img alt="Screenshot" src="https://webcompat.com/uploads/2021/2/96be4e60-947d-4ef6-8570-ff3823e74e64.jpg">
</details>
<details>
<summary>Browser Configuration</summary>
<ul>
<li>None</li>
</ul>
</details>
_From [webcompat.com](https://webcompat.com/) with ❤️_ | 1.0 | www.youtube.com - site is not usable - <!-- @browser: Firefox 85.0 -->
<!-- @ua_header: Mozilla/5.0 (Windows NT 10.0; Win64; x64; rv:85.0) Gecko/20100101 Firefox/85.0 -->
<!-- @reported_with: addon-reporter-firefox -->
<!-- @public_url: https://github.com/webcompat/web-bugs/issues/66830 -->
**URL**: https://www.youtube.com/
**Browser / Version**: Firefox 85.0
**Operating System**: Windows 10
**Tested Another Browser**: Yes Chrome
**Problem type**: Site is not usable
**Description**: Browser unsupported
**Steps to Reproduce**:
mesmo reiniciando meu PC,o youtube não funciona por nada
<details>
<summary>View the screenshot</summary>
<img alt="Screenshot" src="https://webcompat.com/uploads/2021/2/96be4e60-947d-4ef6-8570-ff3823e74e64.jpg">
</details>
<details>
<summary>Browser Configuration</summary>
<ul>
<li>None</li>
</ul>
</details>
_From [webcompat.com](https://webcompat.com/) with ❤️_ | priority | site is not usable url browser version firefox operating system windows tested another browser yes chrome problem type site is not usable description browser unsupported steps to reproduce mesmo reiniciando meu pc o youtube não funciona por nada view the screenshot img alt screenshot src browser configuration none from with ❤️ | 1 |
550,867 | 16,133,692,672 | IssuesEvent | 2021-04-29 09:01:13 | dmwm/WMCore | https://api.github.com/repos/dmwm/WMCore | closed | Tier0 agent fails using the last WMCore version 1.4.7.patch2. | BUG High Priority Tier0-systems | **Impact of the bug**
Not able to create a new version of T0 agent based on WMCore 1.4.7.patch2. Last stable T0 version used in production node is with 1.4.5.patch2
**Describe the bug**
Following the requested by WMCore team to move to the last stable version, we founded that Tier0 shows an error in the component Tier0Feeder. While this component is only for Tier0, after doing some investigation, we founded inside the traceback the following error message:
`2021-04-21 04:05:34,680:140355232098048:INFO:Rucio:./WMCore Rucio initialization parameters: {'auth_type': None, 'account': 'wmcore_transferor', 'timeout': 600, 'ca_cert': None, 'rucio_host': None, 'auth_host': None, 'creds': None, 'user_ag
ent': 'wmcore-client'}
2021-04-21 04:05:34,714:140355232098048:ERROR:RunConfigAPI:Cannot authenticate.
Details: Cannot authenticate to account wmcore_transferor with given credentials
`
We don’t use the wmcore_trasnferor account within the code in T0, but the traceback shows that the error might be in the following file:
`/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/cms/t0/2.2.4/lib/python2.7/site-packages/WMCore/WMSpec/Steps/Fetchers/PileupFetcher.py", line 38, in __init__
self.rucio = Rucio(self.rucioAcct)`
Checking the historical behavior of that file, shows that is hardcoded to use the account wmcore_transferor. We managed to create a stable version of a T0 release using WMCore 1.4.6.pre5 and everything works as expected with that version and a replay was deployed using that version without issues. But using WMCore 1.4.6.pre6 or more actual releases, Tier0Feeder fails with the same error message as showed before. Checking the differences of both releases (1.4.6.pre5 vs 1.4.6.pre6) for that file shows that the lines `if usingRucio():else:` might be involved
**How to reproduce it**
Create a T0 release based on WMCore versions higher than 1.4.6.pre5
**Expected behavior**
Be able to authenticate with the correct account.
**Additional context and error message**
```2021-04-21 04:05:13,522:140355232098048:INFO:LogDB:<LogDB(url=http://admin:couch@localhost:5984/t0_logdb, identifier=vocms0500.cern.ch, agent=1)>
2021-04-21 04:05:13,522:140355232098048:INFO:BaseWorkerThread:Worker thread <T0Component.Tier0Feeder.Tier0FeederPoller.Tier0FeederPoller object at 0x7fa70a1ffb50> started
2021-04-21 04:05:34,680:140355232098048:INFO:Rucio:./WMCore Rucio initialization parameters: {'auth_type': None, 'account': 'wmcore_transferor', 'timeout': 600, 'ca_cert': None, 'rucio_host': None, 'auth_host': None, 'creds': None, 'user_ag
ent': 'wmcore-client'}
2021-04-21 04:05:34,714:140355232098048:ERROR:RunConfigAPI:Cannot authenticate.
Details: Cannot authenticate to account wmcore_transferor with given credentials
Traceback (most recent call last):
File "/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/cms/t0/2.2.4/lib/python2.7/site-packages/T0/RunConfig/RunConfigAPI.py", line 749, in configureRunStream
wmbsHelper.createSubscription(wmSpec.getTask(taskName), fileset, alternativeFilesetClose = True)
File "/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/cms/t0/2.2.4/lib/python2.7/site-packages/WMCore/WorkQueue/WMBSHelper.py", line 261, in createSubscription
self._createSubscriptionsInWMBS(task, fileset, alternativeFilesetClose)
File "/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/cms/t0/2.2.4/lib/python2.7/site-packages/WMCore/WorkQueue/WMBSHelper.py", line 276, in _createSubscriptionsInWMBS
self.createSandbox()
File "/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/cms/t0/2.2.4/lib/python2.7/site-packages/WMCore/WorkQueue/WMBSHelper.py", line 212, in createSandbox
sandboxCreator.makeSandbox(self.cachepath, self.wmSpec)
File "/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/cms/t0/2.2.4/lib/python2.7/site-packages/WMCore/WMRuntime/SandboxCreator.py", line 108, in makeSandbox
fetcherInstances = list(map(getFetcher, fetcherNames))
File "/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/cms/t0/2.2.4/lib/python2.7/site-packages/WMCore/WMSpec/Steps/StepFactory.py", line 196, in getFetcher
return _FetcherFactory.loadObject(fetcherName)
File "/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/cms/t0/2.2.4/lib/python2.7/site-packages/WMCore/WMFactory.py", line 61, in loadObject
classinstance = obj()
File "/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/cms/t0/2.2.4/lib/python2.7/site-packages/WMCore/WMSpec/Steps/Fetchers/PileupFetcher.py", line 38, in __init__
self.rucio = Rucio(self.rucioAcct)
File "/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/cms/t0/2.2.4/lib/python2.7/site-packages/WMCore/Services/Rucio/Rucio.py", line 144, in __init__
user_agent=self.rucioParams['user_agent'])
File "/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/external/py2-rucio-clients/1.24.2.post1/lib/python2.7/site-packages/rucio/client/client.py", line 84, in __init__
super(Client, self).__init__(rucio_host=rucio_host, auth_host=auth_host, account=account, ca_cert=ca_cert, auth_type=auth_type, creds=creds, timeout=timeout, user_agent=user_agent, vo=vo)
File "/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/external/py2-rucio-clients/1.24.2.post1/lib/python2.7/site-packages/rucio/client/accountclient.py", line 51, in __init__
super(AccountClient, self).__init__(rucio_host, auth_host, account, ca_cert, auth_type, creds, timeout, user_agent, vo=vo)
File "/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/external/py2-rucio-clients/1.24.2.post1/lib/python2.7/site-packages/rucio/client/accountlimitclient.py", line 47, in __init__
auth_type, creds, timeout, user_agent, vo=vo)
File "/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/external/py2-rucio-clients/1.24.2.post1/lib/python2.7/site-packages/rucio/client/metaclient.py", line 46, in __init__
super(MetaClient, self).__init__(rucio_host, auth_host, account, ca_cert, auth_type, creds, timeout, user_agent, vo=vo)
File "/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/external/py2-rucio-clients/1.24.2.post1/lib/python2.7/site-packages/rucio/client/pingclient.py", line 36, in __init__
super(PingClient, self).__init__(rucio_host, auth_host, account, ca_cert, auth_type, creds, timeout, user_agent, vo=vo)
File "/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/external/py2-rucio-clients/1.24.2.post1/lib/python2.7/site-packages/rucio/client/replicaclient.py", line 49, in __init__
super(ReplicaClient, self).__init__(rucio_host, auth_host, account, ca_cert, auth_type, creds, timeout, user_agent, vo=vo)
File "/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/external/py2-rucio-clients/1.24.2.post1/lib/python2.7/site-packages/rucio/client/requestclient.py", line 38, in __init__
auth_type, creds, timeout, user_agent, vo=vo)
File "/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/external/py2-rucio-clients/1.24.2.post1/lib/python2.7/site-packages/rucio/client/rseclient.py", line 48, in __init__
auth_type, creds, timeout, user_agent, vo=vo)
File "/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/external/py2-rucio-clients/1.24.2.post1/lib/python2.7/site-packages/rucio/client/scopeclient.py", line 47, in __init__
super(ScopeClient, self).__init__(rucio_host, auth_host, account, ca_cert, auth_type, creds, timeout, user_agent, vo=vo)
File "/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/external/py2-rucio-clients/1.24.2.post1/lib/python2.7/site-packages/rucio/client/didclient.py", line 60, in __init__
auth_type, creds, timeout, user_agent, vo=vo)
File "/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/external/py2-rucio-clients/1.24.2.post1/lib/python2.7/site-packages/rucio/client/ruleclient.py", line 45, in __init__
super(RuleClient, self).__init__(rucio_host, auth_host, account, ca_cert, auth_type, creds, timeout, dq2_wrapper, vo=vo)
File "/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/external/py2-rucio-clients/1.24.2.post1/lib/python2.7/site-packages/rucio/client/subscriptionclient.py", line 40, in __init__
super(SubscriptionClient, self).__init__(rucio_host, auth_host, account, ca_cert, auth_type, creds, timeout, user_agent, vo=vo)
File "/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/external/py2-rucio-clients/1.24.2.post1/lib/python2.7/site-packages/rucio/client/lockclient.py", line 45, in __init__
auth_type, creds, timeout, user_agent, vo=vo)
File "/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/external/py2-rucio-clients/1.24.2.post1/lib/python2.7/site-packages/rucio/client/configclient.py", line 45, in __init__
super(ConfigClient, self).__init__(rucio_host, auth_host, account, ca_cert, auth_type, creds, timeout, user_agent, vo=vo)
File "/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/external/py2-rucio-clients/1.24.2.post1/lib/python2.7/site-packages/rucio/client/touchclient.py", line 42, in __init__
super(TouchClient, self).__init__(rucio_host, auth_host, account, ca_cert, auth_type, creds, timeout, user_agent, vo=vo)
File "/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/external/py2-rucio-clients/1.24.2.post1/lib/python2.7/site-packages/rucio/client/importclient.py", line 36, in __init__
auth_type, creds, timeout, user_agent, vo=vo)
File "/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/external/py2-rucio-clients/1.24.2.post1/lib/python2.7/site-packages/rucio/client/exportclient.py", line 36, in __init__
auth_type, creds, timeout, user_agent, vo=vo)
File "/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/external/py2-rucio-clients/1.24.2.post1/lib/python2.7/site-packages/rucio/client/credentialclient.py", line 36, in __init__
auth_type, creds, timeout, user_agent, vo=vo)
File "/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/external/py2-rucio-clients/1.24.2.post1/lib/python2.7/site-packages/rucio/client/diracclient.py", line 39, in __init__
auth_type, creds, timeout, user_agent, vo=vo)
File "/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/external/py2-rucio-clients/1.24.2.post1/lib/python2.7/site-packages/rucio/client/baseclient.py", line 311, in __init__
self.__authenticate()
File "/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/external/py2-rucio-clients/1.24.2.post1/lib/python2.7/site-packages/rucio/client/baseclient.py", line 985, in __authenticate
self.__get_token()
File "/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/external/py2-rucio-clients/1.24.2.post1/lib/python2.7/site-packages/rucio/client/baseclient.py", line 877, in __get_token
if not self.__get_token_x509():
File "/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/external/py2-rucio-clients/1.24.2.post1/lib/python2.7/site-packages/rucio/client/baseclient.py", line 707, in __get_token_x509
raise exc_cls(exc_msg)
CannotAuthenticate: Cannot authenticate.
Details: Cannot authenticate to account wmcore_transferor with given credentials
2021-04-21 04:05:34,721:140355232098048:ERROR:Tier0FeederPoller:Can't configure for run 338714 and stream Calibration
Traceback (most recent call last):
File "/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/cms/t0/2.2.4/lib/python2.7/site-packages/T0Component/Tier0Feeder/Tier0FeederPoller.py", line 198, in algorithm
self.dqmUploadProxy)
File "/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/cms/t0/2.2.4/lib/python2.7/site-packages/T0/RunConfig/RunConfigAPI.py", line 761, in configureRunStream
raise RuntimeError("Problem in configureRunStream() database transaction !")
RuntimeError: Problem in configureRunStream() database transaction !
2021-04-21 04:05:34,920:140355232098048:INFO:Rucio:WMCore Rucio initialization parameters: {'auth_type': None, 'account': 'wmcore_transferor', 'timeout': 600, 'ca_cert': None, 'rucio_host': None, 'auth_host': None, 'creds': None, 'user_agent': 'wmcore-client'}
2021-04-21 04:05:34,945:140355232098048:ERROR:RunConfigAPI:Cannot authenticate.
Details: Cannot authenticate to account wmcore_transferor with given credentials
Traceback (most recent call last):
```
| 1.0 | Tier0 agent fails using the last WMCore version 1.4.7.patch2. - **Impact of the bug**
Not able to create a new version of T0 agent based on WMCore 1.4.7.patch2. Last stable T0 version used in production node is with 1.4.5.patch2
**Describe the bug**
Following the requested by WMCore team to move to the last stable version, we founded that Tier0 shows an error in the component Tier0Feeder. While this component is only for Tier0, after doing some investigation, we founded inside the traceback the following error message:
`2021-04-21 04:05:34,680:140355232098048:INFO:Rucio:./WMCore Rucio initialization parameters: {'auth_type': None, 'account': 'wmcore_transferor', 'timeout': 600, 'ca_cert': None, 'rucio_host': None, 'auth_host': None, 'creds': None, 'user_ag
ent': 'wmcore-client'}
2021-04-21 04:05:34,714:140355232098048:ERROR:RunConfigAPI:Cannot authenticate.
Details: Cannot authenticate to account wmcore_transferor with given credentials
`
We don’t use the wmcore_trasnferor account within the code in T0, but the traceback shows that the error might be in the following file:
`/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/cms/t0/2.2.4/lib/python2.7/site-packages/WMCore/WMSpec/Steps/Fetchers/PileupFetcher.py", line 38, in __init__
self.rucio = Rucio(self.rucioAcct)`
Checking the historical behavior of that file, shows that is hardcoded to use the account wmcore_transferor. We managed to create a stable version of a T0 release using WMCore 1.4.6.pre5 and everything works as expected with that version and a replay was deployed using that version without issues. But using WMCore 1.4.6.pre6 or more actual releases, Tier0Feeder fails with the same error message as showed before. Checking the differences of both releases (1.4.6.pre5 vs 1.4.6.pre6) for that file shows that the lines `if usingRucio():else:` might be involved
**How to reproduce it**
Create a T0 release based on WMCore versions higher than 1.4.6.pre5
**Expected behavior**
Be able to authenticate with the correct account.
**Additional context and error message**
```2021-04-21 04:05:13,522:140355232098048:INFO:LogDB:<LogDB(url=http://admin:couch@localhost:5984/t0_logdb, identifier=vocms0500.cern.ch, agent=1)>
2021-04-21 04:05:13,522:140355232098048:INFO:BaseWorkerThread:Worker thread <T0Component.Tier0Feeder.Tier0FeederPoller.Tier0FeederPoller object at 0x7fa70a1ffb50> started
2021-04-21 04:05:34,680:140355232098048:INFO:Rucio:./WMCore Rucio initialization parameters: {'auth_type': None, 'account': 'wmcore_transferor', 'timeout': 600, 'ca_cert': None, 'rucio_host': None, 'auth_host': None, 'creds': None, 'user_ag
ent': 'wmcore-client'}
2021-04-21 04:05:34,714:140355232098048:ERROR:RunConfigAPI:Cannot authenticate.
Details: Cannot authenticate to account wmcore_transferor with given credentials
Traceback (most recent call last):
File "/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/cms/t0/2.2.4/lib/python2.7/site-packages/T0/RunConfig/RunConfigAPI.py", line 749, in configureRunStream
wmbsHelper.createSubscription(wmSpec.getTask(taskName), fileset, alternativeFilesetClose = True)
File "/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/cms/t0/2.2.4/lib/python2.7/site-packages/WMCore/WorkQueue/WMBSHelper.py", line 261, in createSubscription
self._createSubscriptionsInWMBS(task, fileset, alternativeFilesetClose)
File "/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/cms/t0/2.2.4/lib/python2.7/site-packages/WMCore/WorkQueue/WMBSHelper.py", line 276, in _createSubscriptionsInWMBS
self.createSandbox()
File "/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/cms/t0/2.2.4/lib/python2.7/site-packages/WMCore/WorkQueue/WMBSHelper.py", line 212, in createSandbox
sandboxCreator.makeSandbox(self.cachepath, self.wmSpec)
File "/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/cms/t0/2.2.4/lib/python2.7/site-packages/WMCore/WMRuntime/SandboxCreator.py", line 108, in makeSandbox
fetcherInstances = list(map(getFetcher, fetcherNames))
File "/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/cms/t0/2.2.4/lib/python2.7/site-packages/WMCore/WMSpec/Steps/StepFactory.py", line 196, in getFetcher
return _FetcherFactory.loadObject(fetcherName)
File "/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/cms/t0/2.2.4/lib/python2.7/site-packages/WMCore/WMFactory.py", line 61, in loadObject
classinstance = obj()
File "/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/cms/t0/2.2.4/lib/python2.7/site-packages/WMCore/WMSpec/Steps/Fetchers/PileupFetcher.py", line 38, in __init__
self.rucio = Rucio(self.rucioAcct)
File "/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/cms/t0/2.2.4/lib/python2.7/site-packages/WMCore/Services/Rucio/Rucio.py", line 144, in __init__
user_agent=self.rucioParams['user_agent'])
File "/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/external/py2-rucio-clients/1.24.2.post1/lib/python2.7/site-packages/rucio/client/client.py", line 84, in __init__
super(Client, self).__init__(rucio_host=rucio_host, auth_host=auth_host, account=account, ca_cert=ca_cert, auth_type=auth_type, creds=creds, timeout=timeout, user_agent=user_agent, vo=vo)
File "/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/external/py2-rucio-clients/1.24.2.post1/lib/python2.7/site-packages/rucio/client/accountclient.py", line 51, in __init__
super(AccountClient, self).__init__(rucio_host, auth_host, account, ca_cert, auth_type, creds, timeout, user_agent, vo=vo)
File "/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/external/py2-rucio-clients/1.24.2.post1/lib/python2.7/site-packages/rucio/client/accountlimitclient.py", line 47, in __init__
auth_type, creds, timeout, user_agent, vo=vo)
File "/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/external/py2-rucio-clients/1.24.2.post1/lib/python2.7/site-packages/rucio/client/metaclient.py", line 46, in __init__
super(MetaClient, self).__init__(rucio_host, auth_host, account, ca_cert, auth_type, creds, timeout, user_agent, vo=vo)
File "/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/external/py2-rucio-clients/1.24.2.post1/lib/python2.7/site-packages/rucio/client/pingclient.py", line 36, in __init__
super(PingClient, self).__init__(rucio_host, auth_host, account, ca_cert, auth_type, creds, timeout, user_agent, vo=vo)
File "/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/external/py2-rucio-clients/1.24.2.post1/lib/python2.7/site-packages/rucio/client/replicaclient.py", line 49, in __init__
super(ReplicaClient, self).__init__(rucio_host, auth_host, account, ca_cert, auth_type, creds, timeout, user_agent, vo=vo)
File "/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/external/py2-rucio-clients/1.24.2.post1/lib/python2.7/site-packages/rucio/client/requestclient.py", line 38, in __init__
auth_type, creds, timeout, user_agent, vo=vo)
File "/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/external/py2-rucio-clients/1.24.2.post1/lib/python2.7/site-packages/rucio/client/rseclient.py", line 48, in __init__
auth_type, creds, timeout, user_agent, vo=vo)
File "/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/external/py2-rucio-clients/1.24.2.post1/lib/python2.7/site-packages/rucio/client/scopeclient.py", line 47, in __init__
super(ScopeClient, self).__init__(rucio_host, auth_host, account, ca_cert, auth_type, creds, timeout, user_agent, vo=vo)
File "/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/external/py2-rucio-clients/1.24.2.post1/lib/python2.7/site-packages/rucio/client/didclient.py", line 60, in __init__
auth_type, creds, timeout, user_agent, vo=vo)
File "/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/external/py2-rucio-clients/1.24.2.post1/lib/python2.7/site-packages/rucio/client/ruleclient.py", line 45, in __init__
super(RuleClient, self).__init__(rucio_host, auth_host, account, ca_cert, auth_type, creds, timeout, dq2_wrapper, vo=vo)
File "/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/external/py2-rucio-clients/1.24.2.post1/lib/python2.7/site-packages/rucio/client/subscriptionclient.py", line 40, in __init__
super(SubscriptionClient, self).__init__(rucio_host, auth_host, account, ca_cert, auth_type, creds, timeout, user_agent, vo=vo)
File "/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/external/py2-rucio-clients/1.24.2.post1/lib/python2.7/site-packages/rucio/client/lockclient.py", line 45, in __init__
auth_type, creds, timeout, user_agent, vo=vo)
File "/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/external/py2-rucio-clients/1.24.2.post1/lib/python2.7/site-packages/rucio/client/configclient.py", line 45, in __init__
super(ConfigClient, self).__init__(rucio_host, auth_host, account, ca_cert, auth_type, creds, timeout, user_agent, vo=vo)
File "/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/external/py2-rucio-clients/1.24.2.post1/lib/python2.7/site-packages/rucio/client/touchclient.py", line 42, in __init__
super(TouchClient, self).__init__(rucio_host, auth_host, account, ca_cert, auth_type, creds, timeout, user_agent, vo=vo)
File "/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/external/py2-rucio-clients/1.24.2.post1/lib/python2.7/site-packages/rucio/client/importclient.py", line 36, in __init__
auth_type, creds, timeout, user_agent, vo=vo)
File "/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/external/py2-rucio-clients/1.24.2.post1/lib/python2.7/site-packages/rucio/client/exportclient.py", line 36, in __init__
auth_type, creds, timeout, user_agent, vo=vo)
File "/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/external/py2-rucio-clients/1.24.2.post1/lib/python2.7/site-packages/rucio/client/credentialclient.py", line 36, in __init__
auth_type, creds, timeout, user_agent, vo=vo)
File "/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/external/py2-rucio-clients/1.24.2.post1/lib/python2.7/site-packages/rucio/client/diracclient.py", line 39, in __init__
auth_type, creds, timeout, user_agent, vo=vo)
File "/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/external/py2-rucio-clients/1.24.2.post1/lib/python2.7/site-packages/rucio/client/baseclient.py", line 311, in __init__
self.__authenticate()
File "/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/external/py2-rucio-clients/1.24.2.post1/lib/python2.7/site-packages/rucio/client/baseclient.py", line 985, in __authenticate
self.__get_token()
File "/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/external/py2-rucio-clients/1.24.2.post1/lib/python2.7/site-packages/rucio/client/baseclient.py", line 877, in __get_token
if not self.__get_token_x509():
File "/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/external/py2-rucio-clients/1.24.2.post1/lib/python2.7/site-packages/rucio/client/baseclient.py", line 707, in __get_token_x509
raise exc_cls(exc_msg)
CannotAuthenticate: Cannot authenticate.
Details: Cannot authenticate to account wmcore_transferor with given credentials
2021-04-21 04:05:34,721:140355232098048:ERROR:Tier0FeederPoller:Can't configure for run 338714 and stream Calibration
Traceback (most recent call last):
File "/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/cms/t0/2.2.4/lib/python2.7/site-packages/T0Component/Tier0Feeder/Tier0FeederPoller.py", line 198, in algorithm
self.dqmUploadProxy)
File "/data/tier0/srv/wmagent/2.2.4/sw.jamadova/slc7_amd64_gcc630/cms/t0/2.2.4/lib/python2.7/site-packages/T0/RunConfig/RunConfigAPI.py", line 761, in configureRunStream
raise RuntimeError("Problem in configureRunStream() database transaction !")
RuntimeError: Problem in configureRunStream() database transaction !
2021-04-21 04:05:34,920:140355232098048:INFO:Rucio:WMCore Rucio initialization parameters: {'auth_type': None, 'account': 'wmcore_transferor', 'timeout': 600, 'ca_cert': None, 'rucio_host': None, 'auth_host': None, 'creds': None, 'user_agent': 'wmcore-client'}
2021-04-21 04:05:34,945:140355232098048:ERROR:RunConfigAPI:Cannot authenticate.
Details: Cannot authenticate to account wmcore_transferor with given credentials
Traceback (most recent call last):
```
| priority | agent fails using the last wmcore version impact of the bug not able to create a new version of agent based on wmcore last stable version used in production node is with describe the bug following the requested by wmcore team to move to the last stable version we founded that shows an error in the component while this component is only for after doing some investigation we founded inside the traceback the following error message info rucio wmcore rucio initialization parameters auth type none account wmcore transferor timeout ca cert none rucio host none auth host none creds none user ag ent wmcore client error runconfigapi cannot authenticate details cannot authenticate to account wmcore transferor with given credentials we don’t use the wmcore trasnferor account within the code in but the traceback shows that the error might be in the following file data srv wmagent sw jamadova cms lib site packages wmcore wmspec steps fetchers pileupfetcher py line in init self rucio rucio self rucioacct checking the historical behavior of that file shows that is hardcoded to use the account wmcore transferor we managed to create a stable version of a release using wmcore and everything works as expected with that version and a replay was deployed using that version without issues but using wmcore or more actual releases fails with the same error message as showed before checking the differences of both releases vs for that file shows that the lines if usingrucio else might be involved how to reproduce it create a release based on wmcore versions higher than expected behavior be able to authenticate with the correct account additional context and error message info logdb info baseworkerthread worker thread started info rucio wmcore rucio initialization parameters auth type none account wmcore transferor timeout ca cert none rucio host none auth host none creds none user ag ent wmcore client error runconfigapi cannot authenticate details cannot authenticate to account wmcore transferor with given credentials traceback most recent call last file data srv wmagent sw jamadova cms lib site packages runconfig runconfigapi py line in configurerunstream wmbshelper createsubscription wmspec gettask taskname fileset alternativefilesetclose true file data srv wmagent sw jamadova cms lib site packages wmcore workqueue wmbshelper py line in createsubscription self createsubscriptionsinwmbs task fileset alternativefilesetclose file data srv wmagent sw jamadova cms lib site packages wmcore workqueue wmbshelper py line in createsubscriptionsinwmbs self createsandbox file data srv wmagent sw jamadova cms lib site packages wmcore workqueue wmbshelper py line in createsandbox sandboxcreator makesandbox self cachepath self wmspec file data srv wmagent sw jamadova cms lib site packages wmcore wmruntime sandboxcreator py line in makesandbox fetcherinstances list map getfetcher fetchernames file data srv wmagent sw jamadova cms lib site packages wmcore wmspec steps stepfactory py line in getfetcher return fetcherfactory loadobject fetchername file data srv wmagent sw jamadova cms lib site packages wmcore wmfactory py line in loadobject classinstance obj file data srv wmagent sw jamadova cms lib site packages wmcore wmspec steps fetchers pileupfetcher py line in init self rucio rucio self rucioacct file data srv wmagent sw jamadova cms lib site packages wmcore services rucio rucio py line in init user agent self rucioparams file data srv wmagent sw jamadova external rucio clients lib site packages rucio client client py line in init super client self init rucio host rucio host auth host auth host account account ca cert ca cert auth type auth type creds creds timeout timeout user agent user agent vo vo file data srv wmagent sw jamadova external rucio clients lib site packages rucio client accountclient py line in init super accountclient self init rucio host auth host account ca cert auth type creds timeout user agent vo vo file data srv wmagent sw jamadova external rucio clients lib site packages rucio client accountlimitclient py line in init auth type creds timeout user agent vo vo file data srv wmagent sw jamadova external rucio clients lib site packages rucio client metaclient py line in init super metaclient self init rucio host auth host account ca cert auth type creds timeout user agent vo vo file data srv wmagent sw jamadova external rucio clients lib site packages rucio client pingclient py line in init super pingclient self init rucio host auth host account ca cert auth type creds timeout user agent vo vo file data srv wmagent sw jamadova external rucio clients lib site packages rucio client replicaclient py line in init super replicaclient self init rucio host auth host account ca cert auth type creds timeout user agent vo vo file data srv wmagent sw jamadova external rucio clients lib site packages rucio client requestclient py line in init auth type creds timeout user agent vo vo file data srv wmagent sw jamadova external rucio clients lib site packages rucio client rseclient py line in init auth type creds timeout user agent vo vo file data srv wmagent sw jamadova external rucio clients lib site packages rucio client scopeclient py line in init super scopeclient self init rucio host auth host account ca cert auth type creds timeout user agent vo vo file data srv wmagent sw jamadova external rucio clients lib site packages rucio client didclient py line in init auth type creds timeout user agent vo vo file data srv wmagent sw jamadova external rucio clients lib site packages rucio client ruleclient py line in init super ruleclient self init rucio host auth host account ca cert auth type creds timeout wrapper vo vo file data srv wmagent sw jamadova external rucio clients lib site packages rucio client subscriptionclient py line in init super subscriptionclient self init rucio host auth host account ca cert auth type creds timeout user agent vo vo file data srv wmagent sw jamadova external rucio clients lib site packages rucio client lockclient py line in init auth type creds timeout user agent vo vo file data srv wmagent sw jamadova external rucio clients lib site packages rucio client configclient py line in init super configclient self init rucio host auth host account ca cert auth type creds timeout user agent vo vo file data srv wmagent sw jamadova external rucio clients lib site packages rucio client touchclient py line in init super touchclient self init rucio host auth host account ca cert auth type creds timeout user agent vo vo file data srv wmagent sw jamadova external rucio clients lib site packages rucio client importclient py line in init auth type creds timeout user agent vo vo file data srv wmagent sw jamadova external rucio clients lib site packages rucio client exportclient py line in init auth type creds timeout user agent vo vo file data srv wmagent sw jamadova external rucio clients lib site packages rucio client credentialclient py line in init auth type creds timeout user agent vo vo file data srv wmagent sw jamadova external rucio clients lib site packages rucio client diracclient py line in init auth type creds timeout user agent vo vo file data srv wmagent sw jamadova external rucio clients lib site packages rucio client baseclient py line in init self authenticate file data srv wmagent sw jamadova external rucio clients lib site packages rucio client baseclient py line in authenticate self get token file data srv wmagent sw jamadova external rucio clients lib site packages rucio client baseclient py line in get token if not self get token file data srv wmagent sw jamadova external rucio clients lib site packages rucio client baseclient py line in get token raise exc cls exc msg cannotauthenticate cannot authenticate details cannot authenticate to account wmcore transferor with given credentials error can t configure for run and stream calibration traceback most recent call last file data srv wmagent sw jamadova cms lib site packages py line in algorithm self dqmuploadproxy file data srv wmagent sw jamadova cms lib site packages runconfig runconfigapi py line in configurerunstream raise runtimeerror problem in configurerunstream database transaction runtimeerror problem in configurerunstream database transaction info rucio wmcore rucio initialization parameters auth type none account wmcore transferor timeout ca cert none rucio host none auth host none creds none user agent wmcore client error runconfigapi cannot authenticate details cannot authenticate to account wmcore transferor with given credentials traceback most recent call last | 1 |
535,006 | 15,680,492,500 | IssuesEvent | 2021-03-25 03:01:03 | wmgeolab/scope | https://api.github.com/repos/wmgeolab/scope | closed | Allow selection of multiple activity & actor codes. | high priority | This section of the form should look similar to the formset used in the extracting_m module. Is it possible to have this type of formset within a broader form?
Since the activity_subcode(s) has(have) to correspond to the activity_code(s), is there a way to store each as a list in their respective field? E.g., if there are three activity codes for a hydroelectric dam which provides energy, connective infrastructure, and is good for the environment:
activity_code: "A_1 - Development Projects, Humanitarian Aid, and Other Non-Military Support", "A_1 - Development Projects, Humanitarian Aid, and Other Non-Military Support", "A_1 - Development Projects, Humanitarian Aid, and Other Non-Military Support"
activity_subcode: "A_1002 - Climate & Environment", "A_1004 - Energy & Technology (General)", "A_1011 - Public, Commercial, & Connective Infrastructure"
The above would similarly applied for actor code, name, and role. The only difference is that these fields are not dependent on each other even though they are related.
Here's a [picture](https://wmgeolab.slack.com/files/UCD5XN2RL/F01RJNB8268/image_from_ios.jpg) of very basic concept art for the UI. | 1.0 | Allow selection of multiple activity & actor codes. - This section of the form should look similar to the formset used in the extracting_m module. Is it possible to have this type of formset within a broader form?
Since the activity_subcode(s) has(have) to correspond to the activity_code(s), is there a way to store each as a list in their respective field? E.g., if there are three activity codes for a hydroelectric dam which provides energy, connective infrastructure, and is good for the environment:
activity_code: "A_1 - Development Projects, Humanitarian Aid, and Other Non-Military Support", "A_1 - Development Projects, Humanitarian Aid, and Other Non-Military Support", "A_1 - Development Projects, Humanitarian Aid, and Other Non-Military Support"
activity_subcode: "A_1002 - Climate & Environment", "A_1004 - Energy & Technology (General)", "A_1011 - Public, Commercial, & Connective Infrastructure"
The above would similarly applied for actor code, name, and role. The only difference is that these fields are not dependent on each other even though they are related.
Here's a [picture](https://wmgeolab.slack.com/files/UCD5XN2RL/F01RJNB8268/image_from_ios.jpg) of very basic concept art for the UI. | priority | allow selection of multiple activity actor codes this section of the form should look similar to the formset used in the extracting m module is it possible to have this type of formset within a broader form since the activity subcode s has have to correspond to the activity code s is there a way to store each as a list in their respective field e g if there are three activity codes for a hydroelectric dam which provides energy connective infrastructure and is good for the environment activity code a development projects humanitarian aid and other non military support a development projects humanitarian aid and other non military support a development projects humanitarian aid and other non military support activity subcode a climate environment a energy technology general a public commercial connective infrastructure the above would similarly applied for actor code name and role the only difference is that these fields are not dependent on each other even though they are related here s a of very basic concept art for the ui | 1 |
710,648 | 24,426,738,154 | IssuesEvent | 2022-10-06 03:52:17 | pterodactyl/panel | https://api.github.com/repos/pterodactyl/panel | opened | Compressed Wings binaries fail to run on RHEL 9 with SELinux enabled | bug high priority security | ### Current Behavior
When running Wings on RHEL 9 (or a derivative) with SELinux enabled, Wings will fail to run, only logging a `Segmentation fault (core dumped)` error and an AVC violation. However, when running a `_debug` artifact from our development CI pipeline, Wings works properly. The only difference between the two artifacts is debug stripping and `upx` compressing the non-debug binaries.
AVC Log:
```
type=AVC msg=audit(1665026407.711:121): avc: denied { execmod } for pid=1294 comm="wings" path="/usr/local/bin/wings" dev="dm-3" ino=92379351 scontext=system_u:system_r:unconfined_service_t:s0 tcontext=system_u:object_r:bin_t:s0 tclass=file permissive=0
```
### Expected Behavior
It should work normally
### Steps to Reproduce
Run Wings on any SELinux enabled RHEL 9 host.
### Panel Version
N/A
### Wings Version
>= 1
### Games and/or Eggs Affected
_No response_
### Docker Image
_No response_
### Error Logs
_No response_
### Is there an existing issue for this?
- [X] I have searched the existing issues before opening this issue.
- [X] I have provided all relevant details, including the specific game and Docker images I am using if this issue is related to running a server.
- [X] I have checked in the Discord server and believe this is a bug with the software, and not a configuration issue with my specific system. | 1.0 | Compressed Wings binaries fail to run on RHEL 9 with SELinux enabled - ### Current Behavior
When running Wings on RHEL 9 (or a derivative) with SELinux enabled, Wings will fail to run, only logging a `Segmentation fault (core dumped)` error and an AVC violation. However, when running a `_debug` artifact from our development CI pipeline, Wings works properly. The only difference between the two artifacts is debug stripping and `upx` compressing the non-debug binaries.
AVC Log:
```
type=AVC msg=audit(1665026407.711:121): avc: denied { execmod } for pid=1294 comm="wings" path="/usr/local/bin/wings" dev="dm-3" ino=92379351 scontext=system_u:system_r:unconfined_service_t:s0 tcontext=system_u:object_r:bin_t:s0 tclass=file permissive=0
```
### Expected Behavior
It should work normally
### Steps to Reproduce
Run Wings on any SELinux enabled RHEL 9 host.
### Panel Version
N/A
### Wings Version
>= 1
### Games and/or Eggs Affected
_No response_
### Docker Image
_No response_
### Error Logs
_No response_
### Is there an existing issue for this?
- [X] I have searched the existing issues before opening this issue.
- [X] I have provided all relevant details, including the specific game and Docker images I am using if this issue is related to running a server.
- [X] I have checked in the Discord server and believe this is a bug with the software, and not a configuration issue with my specific system. | priority | compressed wings binaries fail to run on rhel with selinux enabled current behavior when running wings on rhel or a derivative with selinux enabled wings will fail to run only logging a segmentation fault core dumped error and an avc violation however when running a debug artifact from our development ci pipeline wings works properly the only difference between the two artifacts is debug stripping and upx compressing the non debug binaries avc log type avc msg audit avc denied execmod for pid comm wings path usr local bin wings dev dm ino scontext system u system r unconfined service t tcontext system u object r bin t tclass file permissive expected behavior it should work normally steps to reproduce run wings on any selinux enabled rhel host panel version n a wings version games and or eggs affected no response docker image no response error logs no response is there an existing issue for this i have searched the existing issues before opening this issue i have provided all relevant details including the specific game and docker images i am using if this issue is related to running a server i have checked in the discord server and believe this is a bug with the software and not a configuration issue with my specific system | 1 |
783,635 | 27,539,122,653 | IssuesEvent | 2023-03-07 07:04:52 | Reyder95/Project-Vultura-3D-Unity | https://api.github.com/repos/Reyder95/Project-Vultura-3D-Unity | opened | Once UI is complete, rebuild UI in a more structured way. | high priority ready for development game system user interface | There's a much better way to handle the UI, and I've been going about it wrong.
We should have one master OS manager, and a list of OS objects that are of type BaseOS. This list will be all the screen handlers, and all we have to do is send an object there and set its screen. It does all the work from within.
BaseOS should be inherit from MonoBehavior, it should be its own thing.
This BaseOS is also how modders can interface and build UI, but more thought has to be put into this. | 1.0 | Once UI is complete, rebuild UI in a more structured way. - There's a much better way to handle the UI, and I've been going about it wrong.
We should have one master OS manager, and a list of OS objects that are of type BaseOS. This list will be all the screen handlers, and all we have to do is send an object there and set its screen. It does all the work from within.
BaseOS should be inherit from MonoBehavior, it should be its own thing.
This BaseOS is also how modders can interface and build UI, but more thought has to be put into this. | priority | once ui is complete rebuild ui in a more structured way there s a much better way to handle the ui and i ve been going about it wrong we should have one master os manager and a list of os objects that are of type baseos this list will be all the screen handlers and all we have to do is send an object there and set its screen it does all the work from within baseos should be inherit from monobehavior it should be its own thing this baseos is also how modders can interface and build ui but more thought has to be put into this | 1 |
607,762 | 18,790,042,440 | IssuesEvent | 2021-11-08 15:55:02 | ArctosDB/arctos | https://api.github.com/repos/ArctosDB/arctos | closed | Verbatim localities failed to load | Priority-High (Needed for work) Function-DataEntry/Bulkloading Bug | Hey @Jegelewicz and/or @dustymc , I've looked into this issue now and I see that verbatim locality was included in the initial collecting event bulkload file, but in none of the records for ACCN 0002 in APSU:Herp does it appear. Do you know why this might be the case? How can I get the verbatim locality descriptor to show up? Thanks!
_Originally posted by @gradyjt in https://github.com/ArctosDB/data-migration/issues/1087#issuecomment-962149296_ | 1.0 | Verbatim localities failed to load - Hey @Jegelewicz and/or @dustymc , I've looked into this issue now and I see that verbatim locality was included in the initial collecting event bulkload file, but in none of the records for ACCN 0002 in APSU:Herp does it appear. Do you know why this might be the case? How can I get the verbatim locality descriptor to show up? Thanks!
_Originally posted by @gradyjt in https://github.com/ArctosDB/data-migration/issues/1087#issuecomment-962149296_ | priority | verbatim localities failed to load hey jegelewicz and or dustymc i ve looked into this issue now and i see that verbatim locality was included in the initial collecting event bulkload file but in none of the records for accn in apsu herp does it appear do you know why this might be the case how can i get the verbatim locality descriptor to show up thanks originally posted by gradyjt in | 1 |
283,063 | 8,713,533,542 | IssuesEvent | 2018-12-07 03:06:37 | aowen87/TicketTester | https://api.github.com/repos/aowen87/TicketTester | closed | building uintah against the mpich built by build_visit doesn't work | bug crash likelihood medium priority reviewed severity high wrong results | Rick Angelini built mpich using build_visit2_7_1 and then used build_visit2_7_1 to build uintah and the uintah build eventually failed. Here is Rick's e-mail:
OK - so I used the build_visit2.7.1 script to build mpich-3.0.4 and that
worked fine. Now, back to the original issue of the Uintah reader build.
Looks like there a compile error immediately at the top of the build.
Then, the build seems to be progressing until it ultimately fails.
Building UINTAH (~10 minutes)
/usr/lib/gcc/x86_64-redhat-linux/4.1.2/../../../../lib64/crt1.o: In function
`_start':
(.text+0x20): undefined reference to `main'
collect2: ld returned 1 exit status
Uintah may require fortran to be enabled. It does not appear that the --fortran agrument was set. If Uintah fails to build try adding the --fortranargument Found Uintah-1.6.0beta/optimized . . .
mkdir: cannot create directory `Uintah-1.6.0beta/optimized': File exists Configuring UINTAH . . .
Invoking command to configure UINTAH
../src/configure CXX="g++" CC="gcc" CFLAGS=" -m64 -fPIC -O2"
CXXFLAGS=" -m64 -fPIC -O2"
--prefix="/home/angel/Software/VisIT/visit/uintah/1.6.0beta/linux-x86_64_gcc
-4.1" --enable-optimize=-O2
--enable-assertion-level=0
--enable-64bit
--with-mpi=/home/angel/Software/VisIT/visit/mpich/3.0.4/linux-x86_64_gcc-4.1
/include/..
configure: WARNING: unrecognized options: --enable-shared checking build system type... x86_64-unknown-linux-gnu checking host system type... x86_64-unknown-linux-gnu
checking for OS version 2.2.17... yes (2.6.18371.3.1.5)
[deleted config stuff]
Making UINTAH . . .
creating packmaker
rm -f lib/libCore_Parallel.so
g++ -fPIC -m64 -fPIC -O2 -Wall -O2 -DNDEBUG -Llib -fPIC -m64 -fPIC
-O2 -Wall -O2 -DNDEBUG -shared -Llib -Wl,-rpath
-Wl,/home/angel/Software/VisIT/Uintah-1.6.0beta/optimized/lib -Wl,-rpath -Wl,/home/angel/Software/VisIT/Uintah-1.6.0beta/optimized/lib -o lib/libCore_Parallel.so -Wl,-soname -Wl,libCore_Parallel.so Core/Parallel/BufferInfo.o Core/Parallel/MPI_Communicator.o Core/Parallel/PackBufferInfo.o Core/Parallel/Parallel.o Core/Parallel/ProcessorGroup.o Core/Parallel/UintahParallelComponent.o
Core/Parallel/UintahParallelPort.o Core/Parallel/Vampir.o -lCore_Thread -lCore_Exceptions -lCore_ProblemSpec -lCore_Util -lCore_Malloc -lxml2 -lz -lm -Wl,-rpath -Wl,/home/angel/Software/VisIT/visit/mpich/3.0.4/linux-x86_64_gcc-4.1/includ
e/../lib
-L/home/angel/Software/VisIT/visit/mpich/3.0.4/linux-x86_64_gcc-4.1/include/
../lib -lmpich -lmpl -lrt -lgfortran
rm -f lib/libCore_Math.so
/usr/bin/ld:
/home/angel/Software/VisIT/visit/mpich/3.0.4/linux-x86_64_gcc-4.1/include/..
/lib/libmpich.a(comm_dup.o): relocation R_X86_64_32 against `a local symbol'
can not be used when making a shared object; recompile with -fPIC /home/angel/Software/VisIT/visit/mpich/3.0.4/linux-x86_64_gcc-4.1/include/..
/lib/libmpich.a: could not read symbols: Bad value
collect2: ld returned 1 exit status
make: *** [lib/libCore_Parallel.so] Error 1
make: *** Waiting for unfinished jobs....
g++ -fPIC -m64 -fPIC -O2 -Wall -O2 -DNDEBUG -Llib -fPIC -m64 -fPIC
-O2 -Wall -O2 -DNDEBUG -shared -Llib -Wl,-rpath
-Wl,/home/angel/Software/VisIT/Uintah-1.6.0beta/optimized/lib -Wl,-rpath -Wl,/home/angel/Software/VisIT/Uintah-1.6.0beta/optimized/lib -o lib/libCore_Math.so -Wl,-soname -Wl,libCore_Math.so Core/Math/LinAlg.o Core/Math/Mat.o Core/Math/fft.o Core/Math/ssmult.o Core/Math/CubicPWI.o Core/Math/Gaussian.o Core/Math/Weibull.o Core/Math/LinearPWI.o Core/Math/MiscMath.o Core/Math/MusilRNG.o Core/Math/PiecewiseInterp.o Core/Math/TrigTable.o Core/Math/sci_lapack.o Core/Math/FastMatrix.o Core/Math/Primes.o Core/Math/Matrix3.o Core/Math/SymmMatrix3.o Core/Math/CubeRoot.o Core/Math/Sparse.o Core/Math/Short27.o Core/Math/TangentModulusTensor.o Core/Geometry/BBox.o Core/Geometry/CompGeom.o Core/Geometry/IntVector.o Core/Geometry/Plane.o Core/Geometry/Point.o Core/Geometry/Polygon.o Core/Geometry/Quaternion.o Core/Geometry/Ray.o Core/Geometry/Tensor.o Core/Geometry/Transform.o Core/Geometry/Vector.o Core/Disclosure/TypeDescription.o Core/Disclosure/TypeUtils.o -lCore_Exceptions -lCore_Containers -lCore_Util -lCore_Geometry -lCore_Thread -lCore_Disclosure -lCore_Persistent
-lCore_Malloc -lm -ldl -lgfortran -lrt -lxml2 -lz -lm -Wl,-rpath
-Wl,/home/angel/Software/VisIT/visit/mpich/3.0.4/linux-x86_64_gcc-4.1/includ
e/../lib
-L/home/angel/Software/VisIT/visit/mpich/3.0.4/linux-x86_64_gcc-4.1/include/
../lib -lmpich -lmpl -lrt -lgfortran -lpng -lz
/usr/bin/ld:
/home/angel/Software/VisIT/visit/mpich/3.0.4/linux-x86_64_gcc-4.1/include/..
/lib/libmpich.a(type_vector.o): relocation R_X86_64_32 against `a local symbol' can not be used when making a shared object; recompile with -fPIC /home/angel/Software/VisIT/visit/mpich/3.0.4/linux-x86_64_gcc-4.1/include/..
/lib/libmpich.a: could not read symbols: Bad value
collect2: ld returned 1 exit status
make: *** [lib/libCore_Math.so] Error 1
UINTAH build failed. Giving up
Unable to build or install UINTAH. Bailing out.
-----------------------REDMINE MIGRATION-----------------------
This ticket was migrated from Redmine. As such, not all
information was able to be captured in the transition. Below is
a complete record of the original redmine ticket.
Ticket number: 1710
Status: Resolved
Project: VisIt
Tracker: Bug
Priority: High
Subject: building uintah against the mpich built by build_visit doesn't work
Assigned to: Eric Brugger
Category:
Target version: 2.7.2
Author: Eric Brugger
Start: 01/23/2014
Due date:
% Done: 100
Estimated time: 1.0
Created: 01/23/2014 02:42 pm
Updated: 01/23/2014 04:48 pm
Likelihood: 3 - Occasional
Severity: 4 - Crash / Wrong Results
Found in version: 2.7.0
Impact:
Expected Use:
OS: All
Support Group: Any
Description:
Rick Angelini built mpich using build_visit2_7_1 and then used build_visit2_7_1 to build uintah and the uintah build eventually failed. Here is Rick's e-mail:
OK - so I used the build_visit2.7.1 script to build mpich-3.0.4 and that
worked fine. Now, back to the original issue of the Uintah reader build.
Looks like there a compile error immediately at the top of the build.
Then, the build seems to be progressing until it ultimately fails.
Building UINTAH (~10 minutes)
/usr/lib/gcc/x86_64-redhat-linux/4.1.2/../../../../lib64/crt1.o: In function
`_start':
(.text+0x20): undefined reference to `main'
collect2: ld returned 1 exit status
Uintah may require fortran to be enabled. It does not appear that the --fortran agrument was set. If Uintah fails to build try adding the --fortranargument Found Uintah-1.6.0beta/optimized . . .
mkdir: cannot create directory `Uintah-1.6.0beta/optimized': File exists Configuring UINTAH . . .
Invoking command to configure UINTAH
../src/configure CXX="g++" CC="gcc" CFLAGS=" -m64 -fPIC -O2"
CXXFLAGS=" -m64 -fPIC -O2"
--prefix="/home/angel/Software/VisIT/visit/uintah/1.6.0beta/linux-x86_64_gcc
-4.1" --enable-optimize=-O2
--enable-assertion-level=0
--enable-64bit
--with-mpi=/home/angel/Software/VisIT/visit/mpich/3.0.4/linux-x86_64_gcc-4.1
/include/..
configure: WARNING: unrecognized options: --enable-shared checking build system type... x86_64-unknown-linux-gnu checking host system type... x86_64-unknown-linux-gnu
checking for OS version 2.2.17... yes (2.6.18371.3.1.5)
[deleted config stuff]
Making UINTAH . . .
creating packmaker
rm -f lib/libCore_Parallel.so
g++ -fPIC -m64 -fPIC -O2 -Wall -O2 -DNDEBUG -Llib -fPIC -m64 -fPIC
-O2 -Wall -O2 -DNDEBUG -shared -Llib -Wl,-rpath
-Wl,/home/angel/Software/VisIT/Uintah-1.6.0beta/optimized/lib -Wl,-rpath -Wl,/home/angel/Software/VisIT/Uintah-1.6.0beta/optimized/lib -o lib/libCore_Parallel.so -Wl,-soname -Wl,libCore_Parallel.so Core/Parallel/BufferInfo.o Core/Parallel/MPI_Communicator.o Core/Parallel/PackBufferInfo.o Core/Parallel/Parallel.o Core/Parallel/ProcessorGroup.o Core/Parallel/UintahParallelComponent.o
Core/Parallel/UintahParallelPort.o Core/Parallel/Vampir.o -lCore_Thread -lCore_Exceptions -lCore_ProblemSpec -lCore_Util -lCore_Malloc -lxml2 -lz -lm -Wl,-rpath -Wl,/home/angel/Software/VisIT/visit/mpich/3.0.4/linux-x86_64_gcc-4.1/includ
e/../lib
-L/home/angel/Software/VisIT/visit/mpich/3.0.4/linux-x86_64_gcc-4.1/include/
../lib -lmpich -lmpl -lrt -lgfortran
rm -f lib/libCore_Math.so
/usr/bin/ld:
/home/angel/Software/VisIT/visit/mpich/3.0.4/linux-x86_64_gcc-4.1/include/..
/lib/libmpich.a(comm_dup.o): relocation R_X86_64_32 against `a local symbol'
can not be used when making a shared object; recompile with -fPIC /home/angel/Software/VisIT/visit/mpich/3.0.4/linux-x86_64_gcc-4.1/include/..
/lib/libmpich.a: could not read symbols: Bad value
collect2: ld returned 1 exit status
make: *** [lib/libCore_Parallel.so] Error 1
make: *** Waiting for unfinished jobs....
g++ -fPIC -m64 -fPIC -O2 -Wall -O2 -DNDEBUG -Llib -fPIC -m64 -fPIC
-O2 -Wall -O2 -DNDEBUG -shared -Llib -Wl,-rpath
-Wl,/home/angel/Software/VisIT/Uintah-1.6.0beta/optimized/lib -Wl,-rpath -Wl,/home/angel/Software/VisIT/Uintah-1.6.0beta/optimized/lib -o lib/libCore_Math.so -Wl,-soname -Wl,libCore_Math.so Core/Math/LinAlg.o Core/Math/Mat.o Core/Math/fft.o Core/Math/ssmult.o Core/Math/CubicPWI.o Core/Math/Gaussian.o Core/Math/Weibull.o Core/Math/LinearPWI.o Core/Math/MiscMath.o Core/Math/MusilRNG.o Core/Math/PiecewiseInterp.o Core/Math/TrigTable.o Core/Math/sci_lapack.o Core/Math/FastMatrix.o Core/Math/Primes.o Core/Math/Matrix3.o Core/Math/SymmMatrix3.o Core/Math/CubeRoot.o Core/Math/Sparse.o Core/Math/Short27.o Core/Math/TangentModulusTensor.o Core/Geometry/BBox.o Core/Geometry/CompGeom.o Core/Geometry/IntVector.o Core/Geometry/Plane.o Core/Geometry/Point.o Core/Geometry/Polygon.o Core/Geometry/Quaternion.o Core/Geometry/Ray.o Core/Geometry/Tensor.o Core/Geometry/Transform.o Core/Geometry/Vector.o Core/Disclosure/TypeDescription.o Core/Disclosure/TypeUtils.o -lCore_Exceptions -lCore_Containers -lCore_Util -lCore_Geometry -lCore_Thread -lCore_Disclosure -lCore_Persistent
-lCore_Malloc -lm -ldl -lgfortran -lrt -lxml2 -lz -lm -Wl,-rpath
-Wl,/home/angel/Software/VisIT/visit/mpich/3.0.4/linux-x86_64_gcc-4.1/includ
e/../lib
-L/home/angel/Software/VisIT/visit/mpich/3.0.4/linux-x86_64_gcc-4.1/include/
../lib -lmpich -lmpl -lrt -lgfortran -lpng -lz
/usr/bin/ld:
/home/angel/Software/VisIT/visit/mpich/3.0.4/linux-x86_64_gcc-4.1/include/..
/lib/libmpich.a(type_vector.o): relocation R_X86_64_32 against `a local symbol' can not be used when making a shared object; recompile with -fPIC /home/angel/Software/VisIT/visit/mpich/3.0.4/linux-x86_64_gcc-4.1/include/..
/lib/libmpich.a: could not read symbols: Bad value
collect2: ld returned 1 exit status
make: *** [lib/libCore_Math.so] Error 1
UINTAH build failed. Giving up
Unable to build or install UINTAH. Bailing out.
Comments:
I committed revisions 22730 and 22732 to the 2.7 RC and trunk with thefollowing change:1) I modified bv_mpich to pass the variables CFLAGS, C_OPT_FLAGS, CXXFLAGS, and CXX_OPT_FLAGS to configure so that the MPICH it builds works with Uintah. These additional flags were added specifically to pass -fPIC to the compiler, but any other flags set in those variables should be passed as well. I added a note to the release notes about this change. This resolves #1710.
| 1.0 | building uintah against the mpich built by build_visit doesn't work - Rick Angelini built mpich using build_visit2_7_1 and then used build_visit2_7_1 to build uintah and the uintah build eventually failed. Here is Rick's e-mail:
OK - so I used the build_visit2.7.1 script to build mpich-3.0.4 and that
worked fine. Now, back to the original issue of the Uintah reader build.
Looks like there a compile error immediately at the top of the build.
Then, the build seems to be progressing until it ultimately fails.
Building UINTAH (~10 minutes)
/usr/lib/gcc/x86_64-redhat-linux/4.1.2/../../../../lib64/crt1.o: In function
`_start':
(.text+0x20): undefined reference to `main'
collect2: ld returned 1 exit status
Uintah may require fortran to be enabled. It does not appear that the --fortran agrument was set. If Uintah fails to build try adding the --fortranargument Found Uintah-1.6.0beta/optimized . . .
mkdir: cannot create directory `Uintah-1.6.0beta/optimized': File exists Configuring UINTAH . . .
Invoking command to configure UINTAH
../src/configure CXX="g++" CC="gcc" CFLAGS=" -m64 -fPIC -O2"
CXXFLAGS=" -m64 -fPIC -O2"
--prefix="/home/angel/Software/VisIT/visit/uintah/1.6.0beta/linux-x86_64_gcc
-4.1" --enable-optimize=-O2
--enable-assertion-level=0
--enable-64bit
--with-mpi=/home/angel/Software/VisIT/visit/mpich/3.0.4/linux-x86_64_gcc-4.1
/include/..
configure: WARNING: unrecognized options: --enable-shared checking build system type... x86_64-unknown-linux-gnu checking host system type... x86_64-unknown-linux-gnu
checking for OS version 2.2.17... yes (2.6.18371.3.1.5)
[deleted config stuff]
Making UINTAH . . .
creating packmaker
rm -f lib/libCore_Parallel.so
g++ -fPIC -m64 -fPIC -O2 -Wall -O2 -DNDEBUG -Llib -fPIC -m64 -fPIC
-O2 -Wall -O2 -DNDEBUG -shared -Llib -Wl,-rpath
-Wl,/home/angel/Software/VisIT/Uintah-1.6.0beta/optimized/lib -Wl,-rpath -Wl,/home/angel/Software/VisIT/Uintah-1.6.0beta/optimized/lib -o lib/libCore_Parallel.so -Wl,-soname -Wl,libCore_Parallel.so Core/Parallel/BufferInfo.o Core/Parallel/MPI_Communicator.o Core/Parallel/PackBufferInfo.o Core/Parallel/Parallel.o Core/Parallel/ProcessorGroup.o Core/Parallel/UintahParallelComponent.o
Core/Parallel/UintahParallelPort.o Core/Parallel/Vampir.o -lCore_Thread -lCore_Exceptions -lCore_ProblemSpec -lCore_Util -lCore_Malloc -lxml2 -lz -lm -Wl,-rpath -Wl,/home/angel/Software/VisIT/visit/mpich/3.0.4/linux-x86_64_gcc-4.1/includ
e/../lib
-L/home/angel/Software/VisIT/visit/mpich/3.0.4/linux-x86_64_gcc-4.1/include/
../lib -lmpich -lmpl -lrt -lgfortran
rm -f lib/libCore_Math.so
/usr/bin/ld:
/home/angel/Software/VisIT/visit/mpich/3.0.4/linux-x86_64_gcc-4.1/include/..
/lib/libmpich.a(comm_dup.o): relocation R_X86_64_32 against `a local symbol'
can not be used when making a shared object; recompile with -fPIC /home/angel/Software/VisIT/visit/mpich/3.0.4/linux-x86_64_gcc-4.1/include/..
/lib/libmpich.a: could not read symbols: Bad value
collect2: ld returned 1 exit status
make: *** [lib/libCore_Parallel.so] Error 1
make: *** Waiting for unfinished jobs....
g++ -fPIC -m64 -fPIC -O2 -Wall -O2 -DNDEBUG -Llib -fPIC -m64 -fPIC
-O2 -Wall -O2 -DNDEBUG -shared -Llib -Wl,-rpath
-Wl,/home/angel/Software/VisIT/Uintah-1.6.0beta/optimized/lib -Wl,-rpath -Wl,/home/angel/Software/VisIT/Uintah-1.6.0beta/optimized/lib -o lib/libCore_Math.so -Wl,-soname -Wl,libCore_Math.so Core/Math/LinAlg.o Core/Math/Mat.o Core/Math/fft.o Core/Math/ssmult.o Core/Math/CubicPWI.o Core/Math/Gaussian.o Core/Math/Weibull.o Core/Math/LinearPWI.o Core/Math/MiscMath.o Core/Math/MusilRNG.o Core/Math/PiecewiseInterp.o Core/Math/TrigTable.o Core/Math/sci_lapack.o Core/Math/FastMatrix.o Core/Math/Primes.o Core/Math/Matrix3.o Core/Math/SymmMatrix3.o Core/Math/CubeRoot.o Core/Math/Sparse.o Core/Math/Short27.o Core/Math/TangentModulusTensor.o Core/Geometry/BBox.o Core/Geometry/CompGeom.o Core/Geometry/IntVector.o Core/Geometry/Plane.o Core/Geometry/Point.o Core/Geometry/Polygon.o Core/Geometry/Quaternion.o Core/Geometry/Ray.o Core/Geometry/Tensor.o Core/Geometry/Transform.o Core/Geometry/Vector.o Core/Disclosure/TypeDescription.o Core/Disclosure/TypeUtils.o -lCore_Exceptions -lCore_Containers -lCore_Util -lCore_Geometry -lCore_Thread -lCore_Disclosure -lCore_Persistent
-lCore_Malloc -lm -ldl -lgfortran -lrt -lxml2 -lz -lm -Wl,-rpath
-Wl,/home/angel/Software/VisIT/visit/mpich/3.0.4/linux-x86_64_gcc-4.1/includ
e/../lib
-L/home/angel/Software/VisIT/visit/mpich/3.0.4/linux-x86_64_gcc-4.1/include/
../lib -lmpich -lmpl -lrt -lgfortran -lpng -lz
/usr/bin/ld:
/home/angel/Software/VisIT/visit/mpich/3.0.4/linux-x86_64_gcc-4.1/include/..
/lib/libmpich.a(type_vector.o): relocation R_X86_64_32 against `a local symbol' can not be used when making a shared object; recompile with -fPIC /home/angel/Software/VisIT/visit/mpich/3.0.4/linux-x86_64_gcc-4.1/include/..
/lib/libmpich.a: could not read symbols: Bad value
collect2: ld returned 1 exit status
make: *** [lib/libCore_Math.so] Error 1
UINTAH build failed. Giving up
Unable to build or install UINTAH. Bailing out.
-----------------------REDMINE MIGRATION-----------------------
This ticket was migrated from Redmine. As such, not all
information was able to be captured in the transition. Below is
a complete record of the original redmine ticket.
Ticket number: 1710
Status: Resolved
Project: VisIt
Tracker: Bug
Priority: High
Subject: building uintah against the mpich built by build_visit doesn't work
Assigned to: Eric Brugger
Category:
Target version: 2.7.2
Author: Eric Brugger
Start: 01/23/2014
Due date:
% Done: 100
Estimated time: 1.0
Created: 01/23/2014 02:42 pm
Updated: 01/23/2014 04:48 pm
Likelihood: 3 - Occasional
Severity: 4 - Crash / Wrong Results
Found in version: 2.7.0
Impact:
Expected Use:
OS: All
Support Group: Any
Description:
Rick Angelini built mpich using build_visit2_7_1 and then used build_visit2_7_1 to build uintah and the uintah build eventually failed. Here is Rick's e-mail:
OK - so I used the build_visit2.7.1 script to build mpich-3.0.4 and that
worked fine. Now, back to the original issue of the Uintah reader build.
Looks like there a compile error immediately at the top of the build.
Then, the build seems to be progressing until it ultimately fails.
Building UINTAH (~10 minutes)
/usr/lib/gcc/x86_64-redhat-linux/4.1.2/../../../../lib64/crt1.o: In function
`_start':
(.text+0x20): undefined reference to `main'
collect2: ld returned 1 exit status
Uintah may require fortran to be enabled. It does not appear that the --fortran agrument was set. If Uintah fails to build try adding the --fortranargument Found Uintah-1.6.0beta/optimized . . .
mkdir: cannot create directory `Uintah-1.6.0beta/optimized': File exists Configuring UINTAH . . .
Invoking command to configure UINTAH
../src/configure CXX="g++" CC="gcc" CFLAGS=" -m64 -fPIC -O2"
CXXFLAGS=" -m64 -fPIC -O2"
--prefix="/home/angel/Software/VisIT/visit/uintah/1.6.0beta/linux-x86_64_gcc
-4.1" --enable-optimize=-O2
--enable-assertion-level=0
--enable-64bit
--with-mpi=/home/angel/Software/VisIT/visit/mpich/3.0.4/linux-x86_64_gcc-4.1
/include/..
configure: WARNING: unrecognized options: --enable-shared checking build system type... x86_64-unknown-linux-gnu checking host system type... x86_64-unknown-linux-gnu
checking for OS version 2.2.17... yes (2.6.18371.3.1.5)
[deleted config stuff]
Making UINTAH . . .
creating packmaker
rm -f lib/libCore_Parallel.so
g++ -fPIC -m64 -fPIC -O2 -Wall -O2 -DNDEBUG -Llib -fPIC -m64 -fPIC
-O2 -Wall -O2 -DNDEBUG -shared -Llib -Wl,-rpath
-Wl,/home/angel/Software/VisIT/Uintah-1.6.0beta/optimized/lib -Wl,-rpath -Wl,/home/angel/Software/VisIT/Uintah-1.6.0beta/optimized/lib -o lib/libCore_Parallel.so -Wl,-soname -Wl,libCore_Parallel.so Core/Parallel/BufferInfo.o Core/Parallel/MPI_Communicator.o Core/Parallel/PackBufferInfo.o Core/Parallel/Parallel.o Core/Parallel/ProcessorGroup.o Core/Parallel/UintahParallelComponent.o
Core/Parallel/UintahParallelPort.o Core/Parallel/Vampir.o -lCore_Thread -lCore_Exceptions -lCore_ProblemSpec -lCore_Util -lCore_Malloc -lxml2 -lz -lm -Wl,-rpath -Wl,/home/angel/Software/VisIT/visit/mpich/3.0.4/linux-x86_64_gcc-4.1/includ
e/../lib
-L/home/angel/Software/VisIT/visit/mpich/3.0.4/linux-x86_64_gcc-4.1/include/
../lib -lmpich -lmpl -lrt -lgfortran
rm -f lib/libCore_Math.so
/usr/bin/ld:
/home/angel/Software/VisIT/visit/mpich/3.0.4/linux-x86_64_gcc-4.1/include/..
/lib/libmpich.a(comm_dup.o): relocation R_X86_64_32 against `a local symbol'
can not be used when making a shared object; recompile with -fPIC /home/angel/Software/VisIT/visit/mpich/3.0.4/linux-x86_64_gcc-4.1/include/..
/lib/libmpich.a: could not read symbols: Bad value
collect2: ld returned 1 exit status
make: *** [lib/libCore_Parallel.so] Error 1
make: *** Waiting for unfinished jobs....
g++ -fPIC -m64 -fPIC -O2 -Wall -O2 -DNDEBUG -Llib -fPIC -m64 -fPIC
-O2 -Wall -O2 -DNDEBUG -shared -Llib -Wl,-rpath
-Wl,/home/angel/Software/VisIT/Uintah-1.6.0beta/optimized/lib -Wl,-rpath -Wl,/home/angel/Software/VisIT/Uintah-1.6.0beta/optimized/lib -o lib/libCore_Math.so -Wl,-soname -Wl,libCore_Math.so Core/Math/LinAlg.o Core/Math/Mat.o Core/Math/fft.o Core/Math/ssmult.o Core/Math/CubicPWI.o Core/Math/Gaussian.o Core/Math/Weibull.o Core/Math/LinearPWI.o Core/Math/MiscMath.o Core/Math/MusilRNG.o Core/Math/PiecewiseInterp.o Core/Math/TrigTable.o Core/Math/sci_lapack.o Core/Math/FastMatrix.o Core/Math/Primes.o Core/Math/Matrix3.o Core/Math/SymmMatrix3.o Core/Math/CubeRoot.o Core/Math/Sparse.o Core/Math/Short27.o Core/Math/TangentModulusTensor.o Core/Geometry/BBox.o Core/Geometry/CompGeom.o Core/Geometry/IntVector.o Core/Geometry/Plane.o Core/Geometry/Point.o Core/Geometry/Polygon.o Core/Geometry/Quaternion.o Core/Geometry/Ray.o Core/Geometry/Tensor.o Core/Geometry/Transform.o Core/Geometry/Vector.o Core/Disclosure/TypeDescription.o Core/Disclosure/TypeUtils.o -lCore_Exceptions -lCore_Containers -lCore_Util -lCore_Geometry -lCore_Thread -lCore_Disclosure -lCore_Persistent
-lCore_Malloc -lm -ldl -lgfortran -lrt -lxml2 -lz -lm -Wl,-rpath
-Wl,/home/angel/Software/VisIT/visit/mpich/3.0.4/linux-x86_64_gcc-4.1/includ
e/../lib
-L/home/angel/Software/VisIT/visit/mpich/3.0.4/linux-x86_64_gcc-4.1/include/
../lib -lmpich -lmpl -lrt -lgfortran -lpng -lz
/usr/bin/ld:
/home/angel/Software/VisIT/visit/mpich/3.0.4/linux-x86_64_gcc-4.1/include/..
/lib/libmpich.a(type_vector.o): relocation R_X86_64_32 against `a local symbol' can not be used when making a shared object; recompile with -fPIC /home/angel/Software/VisIT/visit/mpich/3.0.4/linux-x86_64_gcc-4.1/include/..
/lib/libmpich.a: could not read symbols: Bad value
collect2: ld returned 1 exit status
make: *** [lib/libCore_Math.so] Error 1
UINTAH build failed. Giving up
Unable to build or install UINTAH. Bailing out.
Comments:
I committed revisions 22730 and 22732 to the 2.7 RC and trunk with thefollowing change:1) I modified bv_mpich to pass the variables CFLAGS, C_OPT_FLAGS, CXXFLAGS, and CXX_OPT_FLAGS to configure so that the MPICH it builds works with Uintah. These additional flags were added specifically to pass -fPIC to the compiler, but any other flags set in those variables should be passed as well. I added a note to the release notes about this change. This resolves #1710.
| priority | building uintah against the mpich built by build visit doesn t work rick angelini built mpich using build and then used build to build uintah and the uintah build eventually failed here is rick s e mail ok so i used the build script to build mpich and that worked fine now back to the original issue of the uintah reader build looks like there a compile error immediately at the top of the build then the build seems to be progressing until it ultimately fails building uintah minutes usr lib gcc redhat linux o in function start text undefined reference to main ld returned exit status uintah may require fortran to be enabled it does not appear that the fortran agrument was set if uintah fails to build try adding the fortranargument found uintah optimized mkdir cannot create directory uintah optimized file exists configuring uintah invoking command to configure uintah src configure cxx g cc gcc cflags fpic cxxflags fpic prefix home angel software visit visit uintah linux gcc enable optimize enable assertion level enable with mpi home angel software visit visit mpich linux gcc include configure warning unrecognized options enable shared checking build system type unknown linux gnu checking host system type unknown linux gnu checking for os version yes making uintah creating packmaker rm f lib libcore parallel so g fpic fpic wall dndebug llib fpic fpic wall dndebug shared llib wl rpath wl home angel software visit uintah optimized lib wl rpath wl home angel software visit uintah optimized lib o lib libcore parallel so wl soname wl libcore parallel so core parallel bufferinfo o core parallel mpi communicator o core parallel packbufferinfo o core parallel parallel o core parallel processorgroup o core parallel uintahparallelcomponent o core parallel uintahparallelport o core parallel vampir o lcore thread lcore exceptions lcore problemspec lcore util lcore malloc lz lm wl rpath wl home angel software visit visit mpich linux gcc includ e lib l home angel software visit visit mpich linux gcc include lib lmpich lmpl lrt lgfortran rm f lib libcore math so usr bin ld home angel software visit visit mpich linux gcc include lib libmpich a comm dup o relocation r against a local symbol can not be used when making a shared object recompile with fpic home angel software visit visit mpich linux gcc include lib libmpich a could not read symbols bad value ld returned exit status make error make waiting for unfinished jobs g fpic fpic wall dndebug llib fpic fpic wall dndebug shared llib wl rpath wl home angel software visit uintah optimized lib wl rpath wl home angel software visit uintah optimized lib o lib libcore math so wl soname wl libcore math so core math linalg o core math mat o core math fft o core math ssmult o core math cubicpwi o core math gaussian o core math weibull o core math linearpwi o core math miscmath o core math musilrng o core math piecewiseinterp o core math trigtable o core math sci lapack o core math fastmatrix o core math primes o core math o core math o core math cuberoot o core math sparse o core math o core math tangentmodulustensor o core geometry bbox o core geometry compgeom o core geometry intvector o core geometry plane o core geometry point o core geometry polygon o core geometry quaternion o core geometry ray o core geometry tensor o core geometry transform o core geometry vector o core disclosure typedescription o core disclosure typeutils o lcore exceptions lcore containers lcore util lcore geometry lcore thread lcore disclosure lcore persistent lcore malloc lm ldl lgfortran lrt lz lm wl rpath wl home angel software visit visit mpich linux gcc includ e lib l home angel software visit visit mpich linux gcc include lib lmpich lmpl lrt lgfortran lpng lz usr bin ld home angel software visit visit mpich linux gcc include lib libmpich a type vector o relocation r against a local symbol can not be used when making a shared object recompile with fpic home angel software visit visit mpich linux gcc include lib libmpich a could not read symbols bad value ld returned exit status make error uintah build failed giving up unable to build or install uintah bailing out redmine migration this ticket was migrated from redmine as such not all information was able to be captured in the transition below is a complete record of the original redmine ticket ticket number status resolved project visit tracker bug priority high subject building uintah against the mpich built by build visit doesn t work assigned to eric brugger category target version author eric brugger start due date done estimated time created pm updated pm likelihood occasional severity crash wrong results found in version impact expected use os all support group any description rick angelini built mpich using build and then used build to build uintah and the uintah build eventually failed here is rick s e mail ok so i used the build script to build mpich and that worked fine now back to the original issue of the uintah reader build looks like there a compile error immediately at the top of the build then the build seems to be progressing until it ultimately fails building uintah minutes usr lib gcc redhat linux o in function start text undefined reference to main ld returned exit status uintah may require fortran to be enabled it does not appear that the fortran agrument was set if uintah fails to build try adding the fortranargument found uintah optimized mkdir cannot create directory uintah optimized file exists configuring uintah invoking command to configure uintah src configure cxx g cc gcc cflags fpic cxxflags fpic prefix home angel software visit visit uintah linux gcc enable optimize enable assertion level enable with mpi home angel software visit visit mpich linux gcc include configure warning unrecognized options enable shared checking build system type unknown linux gnu checking host system type unknown linux gnu checking for os version yes making uintah creating packmaker rm f lib libcore parallel so g fpic fpic wall dndebug llib fpic fpic wall dndebug shared llib wl rpath wl home angel software visit uintah optimized lib wl rpath wl home angel software visit uintah optimized lib o lib libcore parallel so wl soname wl libcore parallel so core parallel bufferinfo o core parallel mpi communicator o core parallel packbufferinfo o core parallel parallel o core parallel processorgroup o core parallel uintahparallelcomponent o core parallel uintahparallelport o core parallel vampir o lcore thread lcore exceptions lcore problemspec lcore util lcore malloc lz lm wl rpath wl home angel software visit visit mpich linux gcc includ e lib l home angel software visit visit mpich linux gcc include lib lmpich lmpl lrt lgfortran rm f lib libcore math so usr bin ld home angel software visit visit mpich linux gcc include lib libmpich a comm dup o relocation r against a local symbol can not be used when making a shared object recompile with fpic home angel software visit visit mpich linux gcc include lib libmpich a could not read symbols bad value ld returned exit status make error make waiting for unfinished jobs g fpic fpic wall dndebug llib fpic fpic wall dndebug shared llib wl rpath wl home angel software visit uintah optimized lib wl rpath wl home angel software visit uintah optimized lib o lib libcore math so wl soname wl libcore math so core math linalg o core math mat o core math fft o core math ssmult o core math cubicpwi o core math gaussian o core math weibull o core math linearpwi o core math miscmath o core math musilrng o core math piecewiseinterp o core math trigtable o core math sci lapack o core math fastmatrix o core math primes o core math o core math o core math cuberoot o core math sparse o core math o core math tangentmodulustensor o core geometry bbox o core geometry compgeom o core geometry intvector o core geometry plane o core geometry point o core geometry polygon o core geometry quaternion o core geometry ray o core geometry tensor o core geometry transform o core geometry vector o core disclosure typedescription o core disclosure typeutils o lcore exceptions lcore containers lcore util lcore geometry lcore thread lcore disclosure lcore persistent lcore malloc lm ldl lgfortran lrt lz lm wl rpath wl home angel software visit visit mpich linux gcc includ e lib l home angel software visit visit mpich linux gcc include lib lmpich lmpl lrt lgfortran lpng lz usr bin ld home angel software visit visit mpich linux gcc include lib libmpich a type vector o relocation r against a local symbol can not be used when making a shared object recompile with fpic home angel software visit visit mpich linux gcc include lib libmpich a could not read symbols bad value ld returned exit status make error uintah build failed giving up unable to build or install uintah bailing out comments i committed revisions and to the rc and trunk with thefollowing change i modified bv mpich to pass the variables cflags c opt flags cxxflags and cxx opt flags to configure so that the mpich it builds works with uintah these additional flags were added specifically to pass fpic to the compiler but any other flags set in those variables should be passed as well i added a note to the release notes about this change this resolves | 1 |
477,347 | 13,760,325,863 | IssuesEvent | 2020-10-07 05:34:32 | wso2/product-is | https://api.github.com/repos/wso2/product-is | opened | Additional Parameters are not supported by the IDP List endpoint | Component/Identity REST APIs Priority/High bug | **Describe the issue:**
Although the document contains additional attributes such as `sortBy, sortOrder, requiredAttributes` they do not make a change to the result set upon sending on the request.
**How to reproduce:**
Refer following sample
```
curl --location --request GET 'https://localhost:9443/t/wso2.com/api/server/v1/identity-providers?sortOrder=asc&sortBy=name&requiredAttributes=id,name' \
--header 'Authorization: Bearer ba4c3f2f-bc50-3f33-ab8b-c923ee307b88' \
--header 'Cookie: opbs=9de1917e-9f86-4a2a-a71a-a513e40afd6f; JSESSIONID=65C9300973C48335DDC5DB6EA13A9974; requestedURI=../../api/server/v1/identity-providers/9766d498-5cf5-45e1-acaf-1451408cd954/federated-authenticators/U0FNTDJBdXRoZW50aWNhdG9y; commonAuthId=19a316b6-72f9-41d6-a13f-0bf87b4d9f33'
```
With or without the additional attributes the response is same.
**Expected behavior:**
- Remove from the documentation until the support is provided
- Return `501 Not Implemented` response.
**Environment information** (_Please complete the following information; remove any unnecessary fields_) **:**
- Product Version: [IS 5.11.0-ALPHA3-Milestone] | 1.0 | Additional Parameters are not supported by the IDP List endpoint - **Describe the issue:**
Although the document contains additional attributes such as `sortBy, sortOrder, requiredAttributes` they do not make a change to the result set upon sending on the request.
**How to reproduce:**
Refer following sample
```
curl --location --request GET 'https://localhost:9443/t/wso2.com/api/server/v1/identity-providers?sortOrder=asc&sortBy=name&requiredAttributes=id,name' \
--header 'Authorization: Bearer ba4c3f2f-bc50-3f33-ab8b-c923ee307b88' \
--header 'Cookie: opbs=9de1917e-9f86-4a2a-a71a-a513e40afd6f; JSESSIONID=65C9300973C48335DDC5DB6EA13A9974; requestedURI=../../api/server/v1/identity-providers/9766d498-5cf5-45e1-acaf-1451408cd954/federated-authenticators/U0FNTDJBdXRoZW50aWNhdG9y; commonAuthId=19a316b6-72f9-41d6-a13f-0bf87b4d9f33'
```
With or without the additional attributes the response is same.
**Expected behavior:**
- Remove from the documentation until the support is provided
- Return `501 Not Implemented` response.
**Environment information** (_Please complete the following information; remove any unnecessary fields_) **:**
- Product Version: [IS 5.11.0-ALPHA3-Milestone] | priority | additional parameters are not supported by the idp list endpoint describe the issue although the document contains additional attributes such as sortby sortorder requiredattributes they do not make a change to the result set upon sending on the request how to reproduce refer following sample curl location request get header authorization bearer header cookie opbs jsessionid requesteduri api server identity providers acaf federated authenticators commonauthid with or without the additional attributes the response is same expected behavior remove from the documentation until the support is provided return not implemented response environment information please complete the following information remove any unnecessary fields product version | 1 |
745,809 | 26,001,721,981 | IssuesEvent | 2022-12-20 15:49:23 | infor-design/enterprise | https://api.github.com/repos/infor-design/enterprise | closed | Tabs: Add White Background (as Default) | type: enhancement :sparkles: [3] priority: high | **Is your feature request related to a problem or use case? Please describe.**
Make the tabs header white like #6978
**Describe the solution you'd like**
- change https://main-enterprise.demo.design.infor.com/components/tabs-header/example-alternate.html to the default
- will be some changes like hover state
- https://main-enterprise.demo.design.infor.com/components/tabs-header/example-index.html is still possible but white is recommend.
- dark stays same - applied on high contrast and light (new theme only)
**Additional context**
Will be needed on web components as well - To be discussed
Design: Tabs: https://www.figma.com/file/0VaVCeINhJjxvISUQrHq2D/Tabs?node-id=1504%3A725&t=DX2f4VPERUDc8AN6-1
**Implementation**
- Working on Example For Changes https://main-enterprise.demo.design.infor.com/components/tabs-header/example-index.html
- example should get a theme switch https://main-enterprise.demo.design.infor.com/components/tabs-header/example-index.html
- default is now this new design
- all other colors work as is
- other tab ideas like alternate: stays as is no matter the setting
- current tabs https://main-enterprise.demo.design.infor.com/components/tabs/example-index.html will get new styling to match (lower priority can do later)
~- Idea for setting: `backgroundColor: light/dark` (default stays as is) `appearance` - if needed (dont think it will be)~
| 1.0 | Tabs: Add White Background (as Default) - **Is your feature request related to a problem or use case? Please describe.**
Make the tabs header white like #6978
**Describe the solution you'd like**
- change https://main-enterprise.demo.design.infor.com/components/tabs-header/example-alternate.html to the default
- will be some changes like hover state
- https://main-enterprise.demo.design.infor.com/components/tabs-header/example-index.html is still possible but white is recommend.
- dark stays same - applied on high contrast and light (new theme only)
**Additional context**
Will be needed on web components as well - To be discussed
Design: Tabs: https://www.figma.com/file/0VaVCeINhJjxvISUQrHq2D/Tabs?node-id=1504%3A725&t=DX2f4VPERUDc8AN6-1
**Implementation**
- Working on Example For Changes https://main-enterprise.demo.design.infor.com/components/tabs-header/example-index.html
- example should get a theme switch https://main-enterprise.demo.design.infor.com/components/tabs-header/example-index.html
- default is now this new design
- all other colors work as is
- other tab ideas like alternate: stays as is no matter the setting
- current tabs https://main-enterprise.demo.design.infor.com/components/tabs/example-index.html will get new styling to match (lower priority can do later)
~- Idea for setting: `backgroundColor: light/dark` (default stays as is) `appearance` - if needed (dont think it will be)~
| priority | tabs add white background as default is your feature request related to a problem or use case please describe make the tabs header white like describe the solution you d like change to the default will be some changes like hover state is still possible but white is recommend dark stays same applied on high contrast and light new theme only additional context will be needed on web components as well to be discussed design tabs implementation working on example for changes example should get a theme switch default is now this new design all other colors work as is other tab ideas like alternate stays as is no matter the setting current tabs will get new styling to match lower priority can do later idea for setting backgroundcolor light dark default stays as is appearance if needed dont think it will be | 1 |
553,710 | 16,380,772,351 | IssuesEvent | 2021-05-17 01:52:11 | yugabyte/yugabyte-db | https://api.github.com/repos/yugabyte/yugabyte-db | opened | [Platform] Upgrade of a universe with Read Replica cluster fails if YEDIS is not enabled | kind/bug priority/high | 2021-05-17 01:33:21,102 [DEBUG] from PlacementInfoUtil in application-akka.actor.default-dispatcher-4 - Master or tserver considered not alive based on data: [{"name":"172.151.23.193:11000","type":"scatter","x":[1621215141000,1621215171000,1621215201000],"y":["0","0","0"],"labels":null}, {"name":"172.151.23.193:7000","type":"scatter","x":[1621215141000,1621215171000,1621215201000],"y":["0","0","0"],"labels":null}]
2021-05-17 01:33:21,102 [DEBUG] from PlacementInfoUtil in application-akka.actor.default-dispatcher-4 - Master or tserver considered not alive based on data: [{"name":"172.151.37.190:11000","type":"scatter","x":[1621215141000,1621215171000,1621215201000],"y":["0","0","0"],"labels":null}, {"name":"172.151.37.190:7000","type":"scatter","x":[1621215141000,1621215171000,1621215201000],"y":["0","0","0"],"labels":null}]
2021-05-17 01:33:21,102 [DEBUG] from PlacementInfoUtil in application-akka.actor.default-dispatcher-4 - Master or tserver considered not alive based on data: [{"name":"172.151.52.140:11000","type":"scatter","x":[1621215141000,1621215171000,1621215201000],"y":["0","0","0"],"labels":null}, {"name":"172.151.52.140:7000","type":"scatter","x":[1621215141000,1621215171000,1621215201000],"y":["0","0","0"],"labels":null}]
2021-05-17 01:33:21,135 [INFO] from Commissioner in TaskProgressMonitor - Task task-info {taskType : UpgradeUniverse, taskState: Failure}, task {UpgradeUniverse(41b0e7a2-039b-42c7-a3b1-0e1a4338bdcb)} has failed. | 1.0 | [Platform] Upgrade of a universe with Read Replica cluster fails if YEDIS is not enabled - 2021-05-17 01:33:21,102 [DEBUG] from PlacementInfoUtil in application-akka.actor.default-dispatcher-4 - Master or tserver considered not alive based on data: [{"name":"172.151.23.193:11000","type":"scatter","x":[1621215141000,1621215171000,1621215201000],"y":["0","0","0"],"labels":null}, {"name":"172.151.23.193:7000","type":"scatter","x":[1621215141000,1621215171000,1621215201000],"y":["0","0","0"],"labels":null}]
2021-05-17 01:33:21,102 [DEBUG] from PlacementInfoUtil in application-akka.actor.default-dispatcher-4 - Master or tserver considered not alive based on data: [{"name":"172.151.37.190:11000","type":"scatter","x":[1621215141000,1621215171000,1621215201000],"y":["0","0","0"],"labels":null}, {"name":"172.151.37.190:7000","type":"scatter","x":[1621215141000,1621215171000,1621215201000],"y":["0","0","0"],"labels":null}]
2021-05-17 01:33:21,102 [DEBUG] from PlacementInfoUtil in application-akka.actor.default-dispatcher-4 - Master or tserver considered not alive based on data: [{"name":"172.151.52.140:11000","type":"scatter","x":[1621215141000,1621215171000,1621215201000],"y":["0","0","0"],"labels":null}, {"name":"172.151.52.140:7000","type":"scatter","x":[1621215141000,1621215171000,1621215201000],"y":["0","0","0"],"labels":null}]
2021-05-17 01:33:21,135 [INFO] from Commissioner in TaskProgressMonitor - Task task-info {taskType : UpgradeUniverse, taskState: Failure}, task {UpgradeUniverse(41b0e7a2-039b-42c7-a3b1-0e1a4338bdcb)} has failed. | priority | upgrade of a universe with read replica cluster fails if yedis is not enabled from placementinfoutil in application akka actor default dispatcher master or tserver considered not alive based on data y labels null name type scatter x y labels null from placementinfoutil in application akka actor default dispatcher master or tserver considered not alive based on data y labels null name type scatter x y labels null from placementinfoutil in application akka actor default dispatcher master or tserver considered not alive based on data y labels null name type scatter x y labels null from commissioner in taskprogressmonitor task task info tasktype upgradeuniverse taskstate failure task upgradeuniverse has failed | 1 |
384,675 | 11,396,365,861 | IssuesEvent | 2020-01-30 13:26:55 | TerraTex-Community/TerraTex-Reallife-Reloaded | https://api.github.com/repos/TerraTex-Community/TerraTex-Reallife-Reloaded | opened | Fixxing of Client Logs | EXTREMLY HIGH PRIORITY / EMERGENCY FIX NEEDED bug | - [ ] `[29.1.2020 - 16:54:10] [ERROR] Server triggered clientside event deleteZigarre, but event is not added clientside`
- [ ] `[29.1.2020 - 14:8:4] [WARNING] terratex_reallife\ENVIRO\jobs\farmer\mission_3\mission_client.lua:2637: Bad argument @ 'destroyElement' [Expected element at argument 1, got boolean]`
- [ ] `[28.1.2020 - 15:55:42] [WARNING] terratex_reallife\ENVIRO\jobs\farmer\mission_4\mission_client.lua:2638: Bad argument @ 'destroyElement' [Expected element at argument 1, got boolean]`
- [ ] `[28.1.2020 - 18:15:44] [WARNING] terratex_reallife\ENVIRO\jobs\farmer\mission_3\mission_client.lua:2630: Bad argument @ 'getElementModel' [Expected element at argument 1, got boolean]`
- [ ] Voice Chat:
```
[29.1.2020 - 15:35:46] [WARNING] terratex_reallife\ENVIRO\voice_chat\voice_chat_client.lua:22: Bad argument @ 'getDistanceBetweenPoints3D' [Expected number, got NaN]
[29.1.2020 - 15:35:46] [ERROR] ENVIRO\voice_chat\voice_chat_client.lua:23: attempt to compare number with boolean
or
[29.1.2020 - 16:51:31] [WARNING] terratex_reallife\ENVIRO\voice_chat\voice_chat_client.lua:22: Bad argument @ 'getDistanceBetweenPoints3D' [Expected vector3 at argument 4, got nil]
[29.1.2020 - 16:51:31] [ERROR] ENVIRO\voice_chat\voice_chat_client.lua:23: attempt to compare number with boolean
or
[29.1.2020 - 16:51:31] [WARNING] terratex_reallife\ENVIRO\voice_chat\voice_chat_client.lua:22: Bad argument @ 'getDistanceBetweenPoints3D' [Expected vector3 at argument 1, got nil]
[29.1.2020 - 16:51:31] [ERROR] ENVIRO\voice_chat\voice_chat_client.lua:23: attempt to compare number with boolean
```
- [ ] `[29.1.2020 - 18:44:44] [WARNING] terratex_reallife\ENVIRO\jobs\farmer\mission_4\mission_client.lua:2631: Bad argument @ 'getElementModel' [Expected element at argument 1, got boolean]`
- [ ] `[29.1.2020 - 19:23:19] [WARNING] terratex_reallife\ENVIRO\jobs\farmer\mission_5\mission_client.lua:283: Bad argument @ 'destroyElement' [Expected element at argument 1, got boolean]`
- [ ] `[29.1.2020 - 18:10:37] [WARNING] terratex_reallife\ENVIRO\radio_streamer.lua:172: Bad 'sound/player' pointer @ 'setSoundVolume'(1)`
- [ ] `[29.1.2020 - 16:44:17] [WARNING] terratex_reallife\ADDONS\shader_car_paint_reflect_lite\c_car_reflect_lite.lua:207: Bad argument @ 'killTimer' [Expected lua-timer at argument 1]`
- [ ] Shadder Issue:
```[29.1.2020 - 16:44:17] [WARNING] terratex_reallife\ADDONS\shadderblur\c_radial_blur.lua:116: Bad argument @ 'dxUpdateScreenSource' [Expected screen-source-texture at argument 1, got nil]
[29.1.2020 - 16:44:27] [WARNING] terratex_reallife\ADDONS\shadderblur\c_radial_blur.lua:79: Bad argument @ 'destroyElement' [Expected element at argument 1]
```
- [ ] `[29.1.2020 - 16:49:19] [WARNING] terratex_reallife\ADDONS\shader_car_paint_reflect_lite\c_car_reflect_lite.lua:215: Bad argument @ 'dxUpdateScreenSource' [Expected screen-source-texture at argument 1]`
- [ ] `[30.1.2020 - 12:8:42] [ERROR] terratex_reallife\ENVIRO\terralapptapp\gps_resource\util.lua:6: terratex_reallife\SYSTEM\banksys\banksys_client.lua:161: attempt to compare nil with number`
- [ ] `[29.1.2020 - 16:55:49] [WARNING] terratex_reallife\ENVIRO\interaktionen\interaktion_client.lua:191: Bad argument @ 'guiDeleteTab' [Expected gui-element at argument 1]`
- [ ] Image Issues:
```
[25.1.2020 - 21:46:13] [WARNING] terratex_reallife\ENVIRO\terralapptapp\marketapp_client.lua:108: Error loading image @ 'guiStaticImageLoadImage' [FILES/IMAGES/lapptapp/EMail.png]
[25.1.2020 - 21:46:15] [WARNING] terratex_reallife\ENVIRO\terralapptapp\marketapp_client.lua:108: Error loading image @ 'guiStaticImageLoadImage' [FILES/IMAGES/lapptapp/Kompass.png]
[25.1.2020 - 21:46:25] [WARNING] terratex_reallife\ENVIRO\terralapptapp\marketapp_client.lua:108: Error loading image @ 'guiStaticImageLoadImage' [FILES/IMAGES/lapptapp/Kompass.png]
[25.1.2020 - 21:46:26] [WARNING] terratex_reallife\ENVIRO\terralapptapp\marketapp_client.lua:108: Error loading image @ 'guiStaticImageLoadImage' [FILES/IMAGES/lapptapp/Notizblock.png]
[25.1.2020 - 21:46:27] [WARNING] terratex_reallife\ENVIRO\terralapptapp\marketapp_client.lua:108: Error loading image @ 'guiStaticImageLoadImage' [FILES/IMAGES/lapptapp/tictactoe.png]
```
- [ ] `[25.1.2020 - 21:13:15] [WARNING] terratex_reallife\ADDONS\realdriveby\driveby_client.lua:150: Bad argument @ 'getElementModel' [Expected element at argument 1]`
- [ ] Shader Issue:
```
[26.1.2020 - 14:1:52] [WARNING] terratex_reallife\ADDONS\shadderblur\c_radial_blur.lua:108: Bad argument @ 'dxSetShaderValue' [Expected material at argument 1]
[26.1.2020 - 14:1:52] [WARNING] terratex_reallife\ADDONS\shadderblur\c_radial_blur.lua:109: Bad argument @ 'dxSetShaderValue' [Expected material at argument 1]
[26.1.2020 - 14:1:52] [WARNING] terratex_reallife\ADDONS\shadderblur\c_radial_blur.lua:110: Bad argument @ 'dxSetShaderValue' [Expected material at argument 1]
[26.1.2020 - 14:1:52] [WARNING] terratex_reallife\ADDONS\shadderblur\c_radial_blur.lua:111: Bad argument @ 'dxSetShaderValue' [Expected material at argument 1]
[26.1.2020 - 14:1:52] [WARNING] terratex_reallife\ADDONS\shadderblur\c_radial_blur.lua:112: Bad argument @ 'dxSetShaderValue' [Expected material at argument 1]
[26.1.2020 - 14:1:52] [WARNING] terratex_reallife\ADDONS\shadderblur\c_radial_blur.lua:113: Bad argument @ 'dxSetShaderValue' [Expected material at argument 1]
[26.1.2020 - 14:1:52] [WARNING] terratex_reallife\ADDONS\shadderblur\c_radial_blur.lua:116: Bad argument @ 'dxUpdateScreenSource' [Expected screen-source-texture at argument 1]
[26.1.2020 - 14:1:52] [WARNING] terratex_reallife\ADDONS\shadderblur\c_radial_blur.lua:117: Bad argument @ 'dxDrawImage' [Expected material at argument 5]
```
- [ ] Inventory Issue:
```
[25.1.2020 - 19:3:16] [WARNING] terratex_reallife\ENVIRO\interaktionen\interaktion_client.lua:582: Bad argument @ 'getElementModel' [Expected element at argument 1]
[25.1.2020 - 19:3:16] [WARNING] terratex_reallife\ENVIRO\interaktionen\interaktion_client.lua:582: Bad argument @ 'getVehicleNameFromModel' [Expected number at argument 1, got boolean]
[25.1.2020 - 19:3:16] [WARNING] terratex_reallife\ENVIRO\interaktionen\interaktion_client.lua:587: Bad argument @ 'guiGridListSetItemText' [Expected string at argument 4, got boolean]
```
- [ ] Colorpicker Issue:
```
[25.1.2020 - 19:4:50] [WARNING] terratex_reallife\ENVIRO\terralapptapp\terralapptapp_client.lua:70: File not found @ 'guiCreateStaticImage' [FILES/IMAGES/lapptapp/colorpicker.png]
[25.1.2020 - 19:5:11] [WARNING] terratex_reallife\ADDONS\colorpicker\picker_client.lua:176: Bad argument @ 'removeEventHandler' [Expected element at argument 2, got nil]
[25.1.2020 - 19:5:17] [ERROR] terratex_reallife\ENVIRO\terralapptapp\gps_resource\util.lua:6: ...rratex_reallife\ADDONS\colorpicker\picker_client.lua:60: attempt to call method 'mouseUp' (a nil value)
```
- [ ] `[27.1.2020 - 15:23:9] [WARNING] terratex_reallife\ADDONS\werbung\c_uv_scripted.lua:41: Bad usage @ 'dxSetShaderValue' [Expected number, bool, table or texture at argument 3]`
- [ ] `[26.1.2020 - 11:18:42] [WARNING] terratex_reallife\ADDONS\colorshader\c_block_world.lua:37: Bad argument @ 'dxSetShaderValue' [Expected material at argument 1]`
- [ ] `[26.1.2020 - 11:19:3] [WARNING] terratex_reallife\ADDONS\colorshader\c_block_world.lua:47: Bad argument @ 'destroyElement' [Expected element at argument 1]`
- [ ] `[WARNING] terratex_reallife\ENVIRO\terralapptapp\terralapptapp_client.lua:50: Bad argument @ 'destroyElement' [Expected element at argument 1, got boolean]`
- [ ] `[WARNING] terratex_reallife\USER\userdata\login_background_client.lua:75: Bad argument @ 'setCameraTarget' [Expected vector3 at argument 1]`
- [ ] `[WARNING] terratex_reallife\ENVIRO\radio_streamer.lua:160: Bad argument @ 'stopSound' [Expected sound at argument 1, got boolean]`
- [ ] Snow Issues:
```
[28.1.2020 - 18:18:21] [ERROR] terratex_reallife\ADDONS\winter\snowfall\snow.lua:135: attempt to compare nil with number
[28.1.2020 - 18:18:21] [ERROR] terratex_reallife\ADDONS\winter\snowfall\snow.lua:382: attempt to index field 'wind_direction' (a nil value)
```
| 1.0 | Fixxing of Client Logs - - [ ] `[29.1.2020 - 16:54:10] [ERROR] Server triggered clientside event deleteZigarre, but event is not added clientside`
- [ ] `[29.1.2020 - 14:8:4] [WARNING] terratex_reallife\ENVIRO\jobs\farmer\mission_3\mission_client.lua:2637: Bad argument @ 'destroyElement' [Expected element at argument 1, got boolean]`
- [ ] `[28.1.2020 - 15:55:42] [WARNING] terratex_reallife\ENVIRO\jobs\farmer\mission_4\mission_client.lua:2638: Bad argument @ 'destroyElement' [Expected element at argument 1, got boolean]`
- [ ] `[28.1.2020 - 18:15:44] [WARNING] terratex_reallife\ENVIRO\jobs\farmer\mission_3\mission_client.lua:2630: Bad argument @ 'getElementModel' [Expected element at argument 1, got boolean]`
- [ ] Voice Chat:
```
[29.1.2020 - 15:35:46] [WARNING] terratex_reallife\ENVIRO\voice_chat\voice_chat_client.lua:22: Bad argument @ 'getDistanceBetweenPoints3D' [Expected number, got NaN]
[29.1.2020 - 15:35:46] [ERROR] ENVIRO\voice_chat\voice_chat_client.lua:23: attempt to compare number with boolean
or
[29.1.2020 - 16:51:31] [WARNING] terratex_reallife\ENVIRO\voice_chat\voice_chat_client.lua:22: Bad argument @ 'getDistanceBetweenPoints3D' [Expected vector3 at argument 4, got nil]
[29.1.2020 - 16:51:31] [ERROR] ENVIRO\voice_chat\voice_chat_client.lua:23: attempt to compare number with boolean
or
[29.1.2020 - 16:51:31] [WARNING] terratex_reallife\ENVIRO\voice_chat\voice_chat_client.lua:22: Bad argument @ 'getDistanceBetweenPoints3D' [Expected vector3 at argument 1, got nil]
[29.1.2020 - 16:51:31] [ERROR] ENVIRO\voice_chat\voice_chat_client.lua:23: attempt to compare number with boolean
```
- [ ] `[29.1.2020 - 18:44:44] [WARNING] terratex_reallife\ENVIRO\jobs\farmer\mission_4\mission_client.lua:2631: Bad argument @ 'getElementModel' [Expected element at argument 1, got boolean]`
- [ ] `[29.1.2020 - 19:23:19] [WARNING] terratex_reallife\ENVIRO\jobs\farmer\mission_5\mission_client.lua:283: Bad argument @ 'destroyElement' [Expected element at argument 1, got boolean]`
- [ ] `[29.1.2020 - 18:10:37] [WARNING] terratex_reallife\ENVIRO\radio_streamer.lua:172: Bad 'sound/player' pointer @ 'setSoundVolume'(1)`
- [ ] `[29.1.2020 - 16:44:17] [WARNING] terratex_reallife\ADDONS\shader_car_paint_reflect_lite\c_car_reflect_lite.lua:207: Bad argument @ 'killTimer' [Expected lua-timer at argument 1]`
- [ ] Shadder Issue:
```[29.1.2020 - 16:44:17] [WARNING] terratex_reallife\ADDONS\shadderblur\c_radial_blur.lua:116: Bad argument @ 'dxUpdateScreenSource' [Expected screen-source-texture at argument 1, got nil]
[29.1.2020 - 16:44:27] [WARNING] terratex_reallife\ADDONS\shadderblur\c_radial_blur.lua:79: Bad argument @ 'destroyElement' [Expected element at argument 1]
```
- [ ] `[29.1.2020 - 16:49:19] [WARNING] terratex_reallife\ADDONS\shader_car_paint_reflect_lite\c_car_reflect_lite.lua:215: Bad argument @ 'dxUpdateScreenSource' [Expected screen-source-texture at argument 1]`
- [ ] `[30.1.2020 - 12:8:42] [ERROR] terratex_reallife\ENVIRO\terralapptapp\gps_resource\util.lua:6: terratex_reallife\SYSTEM\banksys\banksys_client.lua:161: attempt to compare nil with number`
- [ ] `[29.1.2020 - 16:55:49] [WARNING] terratex_reallife\ENVIRO\interaktionen\interaktion_client.lua:191: Bad argument @ 'guiDeleteTab' [Expected gui-element at argument 1]`
- [ ] Image Issues:
```
[25.1.2020 - 21:46:13] [WARNING] terratex_reallife\ENVIRO\terralapptapp\marketapp_client.lua:108: Error loading image @ 'guiStaticImageLoadImage' [FILES/IMAGES/lapptapp/EMail.png]
[25.1.2020 - 21:46:15] [WARNING] terratex_reallife\ENVIRO\terralapptapp\marketapp_client.lua:108: Error loading image @ 'guiStaticImageLoadImage' [FILES/IMAGES/lapptapp/Kompass.png]
[25.1.2020 - 21:46:25] [WARNING] terratex_reallife\ENVIRO\terralapptapp\marketapp_client.lua:108: Error loading image @ 'guiStaticImageLoadImage' [FILES/IMAGES/lapptapp/Kompass.png]
[25.1.2020 - 21:46:26] [WARNING] terratex_reallife\ENVIRO\terralapptapp\marketapp_client.lua:108: Error loading image @ 'guiStaticImageLoadImage' [FILES/IMAGES/lapptapp/Notizblock.png]
[25.1.2020 - 21:46:27] [WARNING] terratex_reallife\ENVIRO\terralapptapp\marketapp_client.lua:108: Error loading image @ 'guiStaticImageLoadImage' [FILES/IMAGES/lapptapp/tictactoe.png]
```
- [ ] `[25.1.2020 - 21:13:15] [WARNING] terratex_reallife\ADDONS\realdriveby\driveby_client.lua:150: Bad argument @ 'getElementModel' [Expected element at argument 1]`
- [ ] Shader Issue:
```
[26.1.2020 - 14:1:52] [WARNING] terratex_reallife\ADDONS\shadderblur\c_radial_blur.lua:108: Bad argument @ 'dxSetShaderValue' [Expected material at argument 1]
[26.1.2020 - 14:1:52] [WARNING] terratex_reallife\ADDONS\shadderblur\c_radial_blur.lua:109: Bad argument @ 'dxSetShaderValue' [Expected material at argument 1]
[26.1.2020 - 14:1:52] [WARNING] terratex_reallife\ADDONS\shadderblur\c_radial_blur.lua:110: Bad argument @ 'dxSetShaderValue' [Expected material at argument 1]
[26.1.2020 - 14:1:52] [WARNING] terratex_reallife\ADDONS\shadderblur\c_radial_blur.lua:111: Bad argument @ 'dxSetShaderValue' [Expected material at argument 1]
[26.1.2020 - 14:1:52] [WARNING] terratex_reallife\ADDONS\shadderblur\c_radial_blur.lua:112: Bad argument @ 'dxSetShaderValue' [Expected material at argument 1]
[26.1.2020 - 14:1:52] [WARNING] terratex_reallife\ADDONS\shadderblur\c_radial_blur.lua:113: Bad argument @ 'dxSetShaderValue' [Expected material at argument 1]
[26.1.2020 - 14:1:52] [WARNING] terratex_reallife\ADDONS\shadderblur\c_radial_blur.lua:116: Bad argument @ 'dxUpdateScreenSource' [Expected screen-source-texture at argument 1]
[26.1.2020 - 14:1:52] [WARNING] terratex_reallife\ADDONS\shadderblur\c_radial_blur.lua:117: Bad argument @ 'dxDrawImage' [Expected material at argument 5]
```
- [ ] Inventory Issue:
```
[25.1.2020 - 19:3:16] [WARNING] terratex_reallife\ENVIRO\interaktionen\interaktion_client.lua:582: Bad argument @ 'getElementModel' [Expected element at argument 1]
[25.1.2020 - 19:3:16] [WARNING] terratex_reallife\ENVIRO\interaktionen\interaktion_client.lua:582: Bad argument @ 'getVehicleNameFromModel' [Expected number at argument 1, got boolean]
[25.1.2020 - 19:3:16] [WARNING] terratex_reallife\ENVIRO\interaktionen\interaktion_client.lua:587: Bad argument @ 'guiGridListSetItemText' [Expected string at argument 4, got boolean]
```
- [ ] Colorpicker Issue:
```
[25.1.2020 - 19:4:50] [WARNING] terratex_reallife\ENVIRO\terralapptapp\terralapptapp_client.lua:70: File not found @ 'guiCreateStaticImage' [FILES/IMAGES/lapptapp/colorpicker.png]
[25.1.2020 - 19:5:11] [WARNING] terratex_reallife\ADDONS\colorpicker\picker_client.lua:176: Bad argument @ 'removeEventHandler' [Expected element at argument 2, got nil]
[25.1.2020 - 19:5:17] [ERROR] terratex_reallife\ENVIRO\terralapptapp\gps_resource\util.lua:6: ...rratex_reallife\ADDONS\colorpicker\picker_client.lua:60: attempt to call method 'mouseUp' (a nil value)
```
- [ ] `[27.1.2020 - 15:23:9] [WARNING] terratex_reallife\ADDONS\werbung\c_uv_scripted.lua:41: Bad usage @ 'dxSetShaderValue' [Expected number, bool, table or texture at argument 3]`
- [ ] `[26.1.2020 - 11:18:42] [WARNING] terratex_reallife\ADDONS\colorshader\c_block_world.lua:37: Bad argument @ 'dxSetShaderValue' [Expected material at argument 1]`
- [ ] `[26.1.2020 - 11:19:3] [WARNING] terratex_reallife\ADDONS\colorshader\c_block_world.lua:47: Bad argument @ 'destroyElement' [Expected element at argument 1]`
- [ ] `[WARNING] terratex_reallife\ENVIRO\terralapptapp\terralapptapp_client.lua:50: Bad argument @ 'destroyElement' [Expected element at argument 1, got boolean]`
- [ ] `[WARNING] terratex_reallife\USER\userdata\login_background_client.lua:75: Bad argument @ 'setCameraTarget' [Expected vector3 at argument 1]`
- [ ] `[WARNING] terratex_reallife\ENVIRO\radio_streamer.lua:160: Bad argument @ 'stopSound' [Expected sound at argument 1, got boolean]`
- [ ] Snow Issues:
```
[28.1.2020 - 18:18:21] [ERROR] terratex_reallife\ADDONS\winter\snowfall\snow.lua:135: attempt to compare nil with number
[28.1.2020 - 18:18:21] [ERROR] terratex_reallife\ADDONS\winter\snowfall\snow.lua:382: attempt to index field 'wind_direction' (a nil value)
```
| priority | fixxing of client logs server triggered clientside event deletezigarre but event is not added clientside terratex reallife enviro jobs farmer mission mission client lua bad argument destroyelement terratex reallife enviro jobs farmer mission mission client lua bad argument destroyelement terratex reallife enviro jobs farmer mission mission client lua bad argument getelementmodel voice chat terratex reallife enviro voice chat voice chat client lua bad argument enviro voice chat voice chat client lua attempt to compare number with boolean or terratex reallife enviro voice chat voice chat client lua bad argument enviro voice chat voice chat client lua attempt to compare number with boolean or terratex reallife enviro voice chat voice chat client lua bad argument enviro voice chat voice chat client lua attempt to compare number with boolean terratex reallife enviro jobs farmer mission mission client lua bad argument getelementmodel terratex reallife enviro jobs farmer mission mission client lua bad argument destroyelement terratex reallife enviro radio streamer lua bad sound player pointer setsoundvolume terratex reallife addons shader car paint reflect lite c car reflect lite lua bad argument killtimer shadder issue terratex reallife addons shadderblur c radial blur lua bad argument dxupdatescreensource terratex reallife addons shadderblur c radial blur lua bad argument destroyelement terratex reallife addons shader car paint reflect lite c car reflect lite lua bad argument dxupdatescreensource terratex reallife enviro terralapptapp gps resource util lua terratex reallife system banksys banksys client lua attempt to compare nil with number terratex reallife enviro interaktionen interaktion client lua bad argument guideletetab image issues terratex reallife enviro terralapptapp marketapp client lua error loading image guistaticimageloadimage terratex reallife enviro terralapptapp marketapp client lua error loading image guistaticimageloadimage terratex reallife enviro terralapptapp marketapp client lua error loading image guistaticimageloadimage terratex reallife enviro terralapptapp marketapp client lua error loading image guistaticimageloadimage terratex reallife enviro terralapptapp marketapp client lua error loading image guistaticimageloadimage terratex reallife addons realdriveby driveby client lua bad argument getelementmodel shader issue terratex reallife addons shadderblur c radial blur lua bad argument dxsetshadervalue terratex reallife addons shadderblur c radial blur lua bad argument dxsetshadervalue terratex reallife addons shadderblur c radial blur lua bad argument dxsetshadervalue terratex reallife addons shadderblur c radial blur lua bad argument dxsetshadervalue terratex reallife addons shadderblur c radial blur lua bad argument dxsetshadervalue terratex reallife addons shadderblur c radial blur lua bad argument dxsetshadervalue terratex reallife addons shadderblur c radial blur lua bad argument dxupdatescreensource terratex reallife addons shadderblur c radial blur lua bad argument dxdrawimage inventory issue terratex reallife enviro interaktionen interaktion client lua bad argument getelementmodel terratex reallife enviro interaktionen interaktion client lua bad argument getvehiclenamefrommodel terratex reallife enviro interaktionen interaktion client lua bad argument guigridlistsetitemtext colorpicker issue terratex reallife enviro terralapptapp terralapptapp client lua file not found guicreatestaticimage terratex reallife addons colorpicker picker client lua bad argument removeeventhandler terratex reallife enviro terralapptapp gps resource util lua rratex reallife addons colorpicker picker client lua attempt to call method mouseup a nil value terratex reallife addons werbung c uv scripted lua bad usage dxsetshadervalue terratex reallife addons colorshader c block world lua bad argument dxsetshadervalue terratex reallife addons colorshader c block world lua bad argument destroyelement terratex reallife enviro terralapptapp terralapptapp client lua bad argument destroyelement terratex reallife user userdata login background client lua bad argument setcameratarget terratex reallife enviro radio streamer lua bad argument stopsound snow issues terratex reallife addons winter snowfall snow lua attempt to compare nil with number terratex reallife addons winter snowfall snow lua attempt to index field wind direction a nil value | 1 |
439,809 | 12,687,472,907 | IssuesEvent | 2020-06-20 16:39:46 | mojira/arisa-kt | https://api.github.com/repos/mojira/arisa-kt | closed | Separate gradle dependency caches from classes caches in the action | HIGHPRIORITY bug good first issue | ## The Bug
Separate gradle dependency caches from classes caches in the action
Currently we use only 1 cache in the github action trying to cache everything, so if there is a code change we also redownload dependencies.
We should separate it into 2 cache calls
Also we should use the same action for both the push and deploy and the normal build, similar to how helper-messages does it to make sure we cache in the PR for the build in master
| 1.0 | Separate gradle dependency caches from classes caches in the action - ## The Bug
Separate gradle dependency caches from classes caches in the action
Currently we use only 1 cache in the github action trying to cache everything, so if there is a code change we also redownload dependencies.
We should separate it into 2 cache calls
Also we should use the same action for both the push and deploy and the normal build, similar to how helper-messages does it to make sure we cache in the PR for the build in master
| priority | separate gradle dependency caches from classes caches in the action the bug separate gradle dependency caches from classes caches in the action currently we use only cache in the github action trying to cache everything so if there is a code change we also redownload dependencies we should separate it into cache calls also we should use the same action for both the push and deploy and the normal build similar to how helper messages does it to make sure we cache in the pr for the build in master | 1 |
794,532 | 28,039,224,748 | IssuesEvent | 2023-03-28 17:11:12 | aseprite/aseprite | https://api.github.com/repos/aseprite/aseprite | closed | 8 Connected Fill Escapes Grid With "Stop At Grid" Checked | bug high priority time-3 | Select the Fill Tool.
Turn on 8 Connected Fill and Stop at Grid for the fill tool.
Turn on the grid.
Occasionally filling will escape the grid.

Aseprite v1.3-beta21-x64 Steam
Windows 10
| 1.0 | 8 Connected Fill Escapes Grid With "Stop At Grid" Checked - Select the Fill Tool.
Turn on 8 Connected Fill and Stop at Grid for the fill tool.
Turn on the grid.
Occasionally filling will escape the grid.

Aseprite v1.3-beta21-x64 Steam
Windows 10
| priority | connected fill escapes grid with stop at grid checked select the fill tool turn on connected fill and stop at grid for the fill tool turn on the grid occasionally filling will escape the grid aseprite steam windows | 1 |
502,915 | 14,569,984,212 | IssuesEvent | 2020-12-17 13:49:26 | flextype/flextype | https://api.github.com/repos/flextype/flextype | closed | Media Files Rest API - add ability to send options for fetch() methods. | priority: high type: feature | We should have similar functionality for Media Files Rest API as we have now for Media Files API.
**Fetch single**
```
GET /api/files?id=YOUR_MEDIA_FILES_ID&token= YOUR_MEDIA_FILES_TOKEN
```
**Fetch single with options**
```
GET /api/files?id=YOUR_MEDIA_FILES_ID&options=[filter]&token=YOUR_MEDIA_FILES_TOKEN
```
**Fetch collection**
```
GET /api/files?id=YOUR_MEDIA_FILES_ID&collection=true&token= YOUR_MEDIA_FILES_TOKEN
```
**Fetch collection with options**
```
GET /api/files?id=YOUR_MEDIA_FILES_ID&collection=true&options=[filter]&token= YOUR_MEDIA_FILES_TOKEN
```
Docs with updates for Media Files Rest API will be updated here: https://docs.flextype.org/en/rest-api/media
**BREAKING CHANGES**
- for collection fetch we should define this in the request query `&collection=true`
- instead of `&filter=[]` we should define filtering in the request query like this `&options[filter]` | 1.0 | Media Files Rest API - add ability to send options for fetch() methods. - We should have similar functionality for Media Files Rest API as we have now for Media Files API.
**Fetch single**
```
GET /api/files?id=YOUR_MEDIA_FILES_ID&token= YOUR_MEDIA_FILES_TOKEN
```
**Fetch single with options**
```
GET /api/files?id=YOUR_MEDIA_FILES_ID&options=[filter]&token=YOUR_MEDIA_FILES_TOKEN
```
**Fetch collection**
```
GET /api/files?id=YOUR_MEDIA_FILES_ID&collection=true&token= YOUR_MEDIA_FILES_TOKEN
```
**Fetch collection with options**
```
GET /api/files?id=YOUR_MEDIA_FILES_ID&collection=true&options=[filter]&token= YOUR_MEDIA_FILES_TOKEN
```
Docs with updates for Media Files Rest API will be updated here: https://docs.flextype.org/en/rest-api/media
**BREAKING CHANGES**
- for collection fetch we should define this in the request query `&collection=true`
- instead of `&filter=[]` we should define filtering in the request query like this `&options[filter]` | priority | media files rest api add ability to send options for fetch methods we should have similar functionality for media files rest api as we have now for media files api fetch single get api files id your media files id token your media files token fetch single with options get api files id your media files id options token your media files token fetch collection get api files id your media files id collection true token your media files token fetch collection with options get api files id your media files id collection true options token your media files token docs with updates for media files rest api will be updated here breaking changes for collection fetch we should define this in the request query collection true instead of filter we should define filtering in the request query like this options | 1 |
641,029 | 20,815,490,302 | IssuesEvent | 2022-03-18 09:48:21 | Dansoftowner/Boomega | https://api.github.com/repos/Dansoftowner/Boomega | opened | Data protection mechanism for storing passwords locally | enhancement high-priority | Storing the passwords of auto-login databases plainly in the configuration file is dangerous.
On Windows, there is something called as DPAPI (Data Protection API) that can help in this situation.
On other systems there should be alternatives too.
The question is, how to use the DPAPI in java. Several wrappers available like:
- [Java DPAPI](http://jdpapi.sourceforge.net/) - Pretty old, the last release was in 2007
- [Windpapi4j](https://github.com/peter-gergely-horvath/windpapi4j)
Some help in this topic:
- [StackOwerflow](https://stackoverflow.com/questions/55211522/how-to-encrypt-string-in-java-using-windows-dpapi-using-the-system-context-inste)
- [StackOwerflow](https://stackoverflow.com/questions/16780184/how-to-store-passwords-and-sensitive-data-in-a-desktop-client-application-java)
| 1.0 | Data protection mechanism for storing passwords locally - Storing the passwords of auto-login databases plainly in the configuration file is dangerous.
On Windows, there is something called as DPAPI (Data Protection API) that can help in this situation.
On other systems there should be alternatives too.
The question is, how to use the DPAPI in java. Several wrappers available like:
- [Java DPAPI](http://jdpapi.sourceforge.net/) - Pretty old, the last release was in 2007
- [Windpapi4j](https://github.com/peter-gergely-horvath/windpapi4j)
Some help in this topic:
- [StackOwerflow](https://stackoverflow.com/questions/55211522/how-to-encrypt-string-in-java-using-windows-dpapi-using-the-system-context-inste)
- [StackOwerflow](https://stackoverflow.com/questions/16780184/how-to-store-passwords-and-sensitive-data-in-a-desktop-client-application-java)
| priority | data protection mechanism for storing passwords locally storing the passwords of auto login databases plainly in the configuration file is dangerous on windows there is something called as dpapi data protection api that can help in this situation on other systems there should be alternatives too the question is how to use the dpapi in java several wrappers available like pretty old the last release was in some help in this topic | 1 |
505,758 | 14,645,057,766 | IssuesEvent | 2020-12-26 04:51:41 | GV14982/async-airtable | https://api.github.com/repos/GV14982/async-airtable | closed | ✨ Add query builder | big-project enhancement high Priority | When I use the .select method, instead of having to write a filter formula string that can get kind of weird and cumbersome, I would like to be able to just pass in an object with a where property that functions similar to SQL ORM's like Sequelize. | 1.0 | ✨ Add query builder - When I use the .select method, instead of having to write a filter formula string that can get kind of weird and cumbersome, I would like to be able to just pass in an object with a where property that functions similar to SQL ORM's like Sequelize. | priority | ✨ add query builder when i use the select method instead of having to write a filter formula string that can get kind of weird and cumbersome i would like to be able to just pass in an object with a where property that functions similar to sql orm s like sequelize | 1 |
208,470 | 7,154,843,050 | IssuesEvent | 2018-01-26 10:13:21 | salesagility/SuiteCRM | https://api.github.com/repos/salesagility/SuiteCRM | closed | Contact s Email addresses are deleted when saving the parent Account | Fix Proposed High Priority Resolved: Next Release bug | When creating a new workflow which modify realted contacts on Account save, when triggering the workflow by Editing Any Account i noticed that all contacts related to that Account have lost their email addresses.
#### Expected Behavior
Should save the related contacts without deleting the emails addresses
#### Actual Behavior
After the workflow is triggered When Saving an Account the contacts related to the Account lose their emails addresses.
#### Steps to Reproduce
1. create new workflow
2. Define WorkFlow Module as: Account
3. Define Run as: Only on save
4. Define Run On as: Modified Records
5. Create New Conditions on Any Account s field
6. Create New Action Modify record
7. Select record Type as Contacts.
8. Save the workflow
8. Go to any Account which has related Contacts .
9. Edit the Account and hit save
10. Expect that all the related contacts will lose their email addresses.
#### Context
https://demo.suiteondemand.com/index.php
#### Your Environment
https://demo.suiteondemand.com/index.php
| 1.0 | Contact s Email addresses are deleted when saving the parent Account - When creating a new workflow which modify realted contacts on Account save, when triggering the workflow by Editing Any Account i noticed that all contacts related to that Account have lost their email addresses.
#### Expected Behavior
Should save the related contacts without deleting the emails addresses
#### Actual Behavior
After the workflow is triggered When Saving an Account the contacts related to the Account lose their emails addresses.
#### Steps to Reproduce
1. create new workflow
2. Define WorkFlow Module as: Account
3. Define Run as: Only on save
4. Define Run On as: Modified Records
5. Create New Conditions on Any Account s field
6. Create New Action Modify record
7. Select record Type as Contacts.
8. Save the workflow
8. Go to any Account which has related Contacts .
9. Edit the Account and hit save
10. Expect that all the related contacts will lose their email addresses.
#### Context
https://demo.suiteondemand.com/index.php
#### Your Environment
https://demo.suiteondemand.com/index.php
| priority | contact s email addresses are deleted when saving the parent account when creating a new workflow which modify realted contacts on account save when triggering the workflow by editing any account i noticed that all contacts related to that account have lost their email addresses expected behavior should save the related contacts without deleting the emails addresses actual behavior after the workflow is triggered when saving an account the contacts related to the account lose their emails addresses steps to reproduce create new workflow define workflow module as account define run as only on save define run on as modified records create new conditions on any account s field create new action modify record select record type as contacts save the workflow go to any account which has related contacts edit the account and hit save expect that all the related contacts will lose their email addresses context your environment | 1 |
496,805 | 14,355,387,032 | IssuesEvent | 2020-11-30 10:01:58 | zeebe-io/zeebe | https://api.github.com/repos/zeebe-io/zeebe | closed | Add endpoint for pause exporting in the admin endpoint | Priority: High Scope: broker Status: Ready Type: Enhancement | **Is your feature request related to a problem? Please describe.**
We already expose an [admin endpoint ](https://github.com/zeebe-io/zeebe/issues/5405) that allows us to pause/resume processing and trigger snapshots. We can also expose api for pause/resume exporting.
| 1.0 | Add endpoint for pause exporting in the admin endpoint - **Is your feature request related to a problem? Please describe.**
We already expose an [admin endpoint ](https://github.com/zeebe-io/zeebe/issues/5405) that allows us to pause/resume processing and trigger snapshots. We can also expose api for pause/resume exporting.
| priority | add endpoint for pause exporting in the admin endpoint is your feature request related to a problem please describe we already expose an that allows us to pause resume processing and trigger snapshots we can also expose api for pause resume exporting | 1 |
179,641 | 6,627,471,898 | IssuesEvent | 2017-09-23 03:15:28 | smashingmagazine/redesign | https://api.github.com/repos/smashingmagazine/redesign | closed | Beginning of article is really hard to identify | bug CSS/JS high priority | **Desktop View**

**Mobile View**

Feature? Not sure, but I'm submitting anyway
The reading order for the article page is currently **really** hard to figure out — I was 100% sure the text started on “Therefore, we think that...” and completely missed the quick summary.
Placing the summary in this layout makes it seem like an optional **TL;DR**, instead of the first paragraph of the article that's necessary to start reading.
The mobile view is even worse, _actually hiding_ the first paragraph of the article inside an accordion :scream: | 1.0 | Beginning of article is really hard to identify - **Desktop View**

**Mobile View**

Feature? Not sure, but I'm submitting anyway
The reading order for the article page is currently **really** hard to figure out — I was 100% sure the text started on “Therefore, we think that...” and completely missed the quick summary.
Placing the summary in this layout makes it seem like an optional **TL;DR**, instead of the first paragraph of the article that's necessary to start reading.
The mobile view is even worse, _actually hiding_ the first paragraph of the article inside an accordion :scream: | priority | beginning of article is really hard to identify desktop view mobile view feature not sure but i m submitting anyway the reading order for the article page is currently really hard to figure out — i was sure the text started on “therefore we think that ” and completely missed the quick summary placing the summary in this layout makes it seem like an optional tl dr instead of the first paragraph of the article that s necessary to start reading the mobile view is even worse actually hiding the first paragraph of the article inside an accordion scream | 1 |
796,176 | 28,101,096,355 | IssuesEvent | 2023-03-30 19:34:15 | AmplifyCreations/AmplifyImpostors-Feedback | https://api.github.com/repos/AmplifyCreations/AmplifyImpostors-Feedback | closed | LOD crossfade not working in URP | bug high priority | Hello,
Using Unity 2020.3.30f1 and URP 10.8.1,
I am trying to use the crossfade LOD effect with the impostors but it doesn't work. The impostor appears immediately without the crossfade effect.
I managed to progress somehow but I'm still struggling to get the wanted result.
For the impostor, I'm using a copy of the shader OctahedronImpostorURP (found in AmplifyImpostors\Plugins\EditorResources\Shaders\Runtime\OctahedronImpostor.shader) and added this line at the beginning of the frac function :
- LODDitheringTransition(IN.clipPos.xy, unity_LODFade.x);
By doing so, the transition works. But the final state is that the impostor will always be invisible.
On the gif, the default model is on the left and the impostor is on the right.
Thank you kindly.
Pampou

| 1.0 | LOD crossfade not working in URP - Hello,
Using Unity 2020.3.30f1 and URP 10.8.1,
I am trying to use the crossfade LOD effect with the impostors but it doesn't work. The impostor appears immediately without the crossfade effect.
I managed to progress somehow but I'm still struggling to get the wanted result.
For the impostor, I'm using a copy of the shader OctahedronImpostorURP (found in AmplifyImpostors\Plugins\EditorResources\Shaders\Runtime\OctahedronImpostor.shader) and added this line at the beginning of the frac function :
- LODDitheringTransition(IN.clipPos.xy, unity_LODFade.x);
By doing so, the transition works. But the final state is that the impostor will always be invisible.
On the gif, the default model is on the left and the impostor is on the right.
Thank you kindly.
Pampou

| priority | lod crossfade not working in urp hello using unity and urp i am trying to use the crossfade lod effect with the impostors but it doesn t work the impostor appears immediately without the crossfade effect i managed to progress somehow but i m still struggling to get the wanted result for the impostor i m using a copy of the shader octahedronimpostorurp found in amplifyimpostors plugins editorresources shaders runtime octahedronimpostor shader and added this line at the beginning of the frac function lodditheringtransition in clippos xy unity lodfade x by doing so the transition works but the final state is that the impostor will always be invisible on the gif the default model is on the left and the impostor is on the right thank you kindly pampou | 1 |
726,697 | 25,007,851,510 | IssuesEvent | 2022-11-03 13:16:17 | AY2223S1-CS2103T-W10-1/tp | https://api.github.com/repos/AY2223S1-CS2103T-W10-1/tp | closed | [PE-D][Tester C] Deletegroup not working | bug priority.High | deletegroup does not delete the specified group when there are tasks assigned to group members and thecontact has multiple groups.
After I execute `deletegroup g/test` test group is still there.
after executing `deletegroup g/test`:

Feel free to contact me if you can't replicate the bug.
<!--session: 1666943799607-baccbb47-35f2-4fdc-9644-384750d432ed--><!--Version: Web v3.4.4-->
-------------
Labels: `severity.High` `type.FunctionalityBug`
original: Jonaspng/ped#7 | 1.0 | [PE-D][Tester C] Deletegroup not working - deletegroup does not delete the specified group when there are tasks assigned to group members and thecontact has multiple groups.
After I execute `deletegroup g/test` test group is still there.
after executing `deletegroup g/test`:

Feel free to contact me if you can't replicate the bug.
<!--session: 1666943799607-baccbb47-35f2-4fdc-9644-384750d432ed--><!--Version: Web v3.4.4-->
-------------
Labels: `severity.High` `type.FunctionalityBug`
original: Jonaspng/ped#7 | priority | deletegroup not working deletegroup does not delete the specified group when there are tasks assigned to group members and thecontact has multiple groups after i execute deletegroup g test test group is still there after executing deletegroup g test feel free to contact me if you can t replicate the bug labels severity high type functionalitybug original jonaspng ped | 1 |
651,353 | 21,474,785,053 | IssuesEvent | 2022-04-26 12:49:10 | eclipse/dirigible | https://api.github.com/repos/eclipse/dirigible | closed | [IDE] Move the monaco editor to a webjar | enhancement web-ide priority-high efforts-medium | **Describe the issue**
The ide-monaco editor contains the IDE editor as well as the whole monaco-editor package. The package should not be bundled with the ide editor. Instead, it should be moved to a webjar. This will solve a lot of problems, like slow loading times, code changes within the library itself, maintenance burdens, etc.
| 1.0 | [IDE] Move the monaco editor to a webjar - **Describe the issue**
The ide-monaco editor contains the IDE editor as well as the whole monaco-editor package. The package should not be bundled with the ide editor. Instead, it should be moved to a webjar. This will solve a lot of problems, like slow loading times, code changes within the library itself, maintenance burdens, etc.
| priority | move the monaco editor to a webjar describe the issue the ide monaco editor contains the ide editor as well as the whole monaco editor package the package should not be bundled with the ide editor instead it should be moved to a webjar this will solve a lot of problems like slow loading times code changes within the library itself maintenance burdens etc | 1 |
375,857 | 11,135,360,165 | IssuesEvent | 2019-12-20 14:12:13 | bounswe/bounswe2019group4 | https://api.github.com/repos/bounswe/bounswe2019group4 | closed | Frontend bug investment | Front-End Priority: High Status: In Progress Type: Bug | After the investment feature is added , some bugs occurred. For example, non-trader user can not enter the homepage now. | 1.0 | Frontend bug investment - After the investment feature is added , some bugs occurred. For example, non-trader user can not enter the homepage now. | priority | frontend bug investment after the investment feature is added some bugs occurred for example non trader user can not enter the homepage now | 1 |
302,269 | 9,256,490,495 | IssuesEvent | 2019-03-16 19:30:03 | nim-lang/nimble | https://api.github.com/repos/nim-lang/nimble | closed | `Success: All tests passed` even when 0 tests; maybe show number of tests? (or that no tests were run) | High Priority Messages | eg:
git clone https://github.com/idlewan/nim-fswatch
cd nim-fswatch
nimble test
Success: All tests passed
is a bit misleading (or at least not informative) since no tests were run in the 1st place; this gives a false impression a package is working properly; in other cases there could be tests written but nimble isnt' aware of it (eg due to misconfiguration), and informing user that not tests were run would help catch such bugs.
indicating the number of tests passed (0 here) would be ideal; or at least showing "no tests found"
| 1.0 | `Success: All tests passed` even when 0 tests; maybe show number of tests? (or that no tests were run) - eg:
git clone https://github.com/idlewan/nim-fswatch
cd nim-fswatch
nimble test
Success: All tests passed
is a bit misleading (or at least not informative) since no tests were run in the 1st place; this gives a false impression a package is working properly; in other cases there could be tests written but nimble isnt' aware of it (eg due to misconfiguration), and informing user that not tests were run would help catch such bugs.
indicating the number of tests passed (0 here) would be ideal; or at least showing "no tests found"
| priority | success all tests passed even when tests maybe show number of tests or that no tests were run eg git clone cd nim fswatch nimble test success all tests passed is a bit misleading or at least not informative since no tests were run in the place this gives a false impression a package is working properly in other cases there could be tests written but nimble isnt aware of it eg due to misconfiguration and informing user that not tests were run would help catch such bugs indicating the number of tests passed here would be ideal or at least showing no tests found | 1 |
166,925 | 6,314,837,015 | IssuesEvent | 2017-07-24 12:01:45 | glue-viz/glue | https://api.github.com/repos/glue-viz/glue | closed | Rework how we deal with filling combo boxes | gui high-priority | At the moment, the combo boxes are populated on the Qt side, but this is starting to cause issues because changing the content of the combo boxes changes the selected item, but sometimes we need to change both at the same time to better control events. In particular, I had to xfail a test for now, ``test_change_reference_data_dimensionality``, because I can't resolve this easily. A solution that I plan to work on is to make the concept of a 'choice list' for a combo box part of the state itself so that the content and selection of combo boxes is really controlled at the state level and the Qt layer just provides a view but doesn't have any logic for populating the combo boxes from scratch (it would just reflect the choice list). | 1.0 | Rework how we deal with filling combo boxes - At the moment, the combo boxes are populated on the Qt side, but this is starting to cause issues because changing the content of the combo boxes changes the selected item, but sometimes we need to change both at the same time to better control events. In particular, I had to xfail a test for now, ``test_change_reference_data_dimensionality``, because I can't resolve this easily. A solution that I plan to work on is to make the concept of a 'choice list' for a combo box part of the state itself so that the content and selection of combo boxes is really controlled at the state level and the Qt layer just provides a view but doesn't have any logic for populating the combo boxes from scratch (it would just reflect the choice list). | priority | rework how we deal with filling combo boxes at the moment the combo boxes are populated on the qt side but this is starting to cause issues because changing the content of the combo boxes changes the selected item but sometimes we need to change both at the same time to better control events in particular i had to xfail a test for now test change reference data dimensionality because i can t resolve this easily a solution that i plan to work on is to make the concept of a choice list for a combo box part of the state itself so that the content and selection of combo boxes is really controlled at the state level and the qt layer just provides a view but doesn t have any logic for populating the combo boxes from scratch it would just reflect the choice list | 1 |
520,217 | 15,081,992,230 | IssuesEvent | 2021-02-05 13:59:30 | OpenSRP/opensrp-client-reveal | https://api.github.com/repos/OpenSRP/opensrp-client-reveal | closed | RVL-1187 - Strange tasks are displaying in the task list | Priority: High | Tasks that should not exist are displaying in the task list.
**Plan: B1 - Thailand test site BVBD 2 - FNCA1-B1-ALNCA1-B1-A - 2020-09-15 - Site**
The Grixx family with an orange task (or yellow) does not make sense. The current behavior for those families is:
The yellow color shows label “View Tasks” and should not have a square button around it. When clicking, it opens the RACD forms.
In other retired plans it opened the family view as can be seen in the screenshots below, with multiple tasks for family members that were not in the household (probably family was archived). And showing a task “Family Registration” that should not show in the task View.


**The expected behavior is as follows**:
1. Structures with no households members or family registered should be yellow, the label in the list should be “NOT VISITED” and when click on it, it should take you to the family registration page.
2. If the task is yellow, there should be no family name as the structure has no family on it. (unenumerated?) It is not clear what the orange button on the last screenshot below represents.
3. Structures in pink should have label “View Tasks” and when clicked should take you to the family/task view.
4. There are other combinations based on colors, but those should also show “View Tasks” label and take you to family task/view

| 1.0 | RVL-1187 - Strange tasks are displaying in the task list - Tasks that should not exist are displaying in the task list.
**Plan: B1 - Thailand test site BVBD 2 - FNCA1-B1-ALNCA1-B1-A - 2020-09-15 - Site**
The Grixx family with an orange task (or yellow) does not make sense. The current behavior for those families is:
The yellow color shows label “View Tasks” and should not have a square button around it. When clicking, it opens the RACD forms.
In other retired plans it opened the family view as can be seen in the screenshots below, with multiple tasks for family members that were not in the household (probably family was archived). And showing a task “Family Registration” that should not show in the task View.


**The expected behavior is as follows**:
1. Structures with no households members or family registered should be yellow, the label in the list should be “NOT VISITED” and when click on it, it should take you to the family registration page.
2. If the task is yellow, there should be no family name as the structure has no family on it. (unenumerated?) It is not clear what the orange button on the last screenshot below represents.
3. Structures in pink should have label “View Tasks” and when clicked should take you to the family/task view.
4. There are other combinations based on colors, but those should also show “View Tasks” label and take you to family task/view

| priority | rvl strange tasks are displaying in the task list tasks that should not exist are displaying in the task list plan thailand test site bvbd a site the grixx family with an orange task or yellow does not make sense the current behavior for those families is the yellow color shows label “view tasks” and should not have a square button around it when clicking it opens the racd forms in other retired plans it opened the family view as can be seen in the screenshots below with multiple tasks for family members that were not in the household probably family was archived and showing a task “family registration” that should not show in the task view the expected behavior is as follows structures with no households members or family registered should be yellow the label in the list should be “not visited” and when click on it it should take you to the family registration page if the task is yellow there should be no family name as the structure has no family on it unenumerated it is not clear what the orange button on the last screenshot below represents structures in pink should have label “view tasks” and when clicked should take you to the family task view there are other combinations based on colors but those should also show “view tasks” label and take you to family task view | 1 |
756,890 | 26,489,177,272 | IssuesEvent | 2023-01-17 20:51:49 | nikfp/NoteTree | https://api.github.com/repos/nikfp/NoteTree | opened | Slow operation in production | bug high priority | Prod is running very slow on requests.
### Todo
- [ ] Profile production to see where the issue is
### Possible fixes
- [ ] #12
| 1.0 | Slow operation in production - Prod is running very slow on requests.
### Todo
- [ ] Profile production to see where the issue is
### Possible fixes
- [ ] #12
| priority | slow operation in production prod is running very slow on requests todo profile production to see where the issue is possible fixes | 1 |
563,569 | 16,700,998,619 | IssuesEvent | 2021-06-09 02:21:30 | home-sweet-gnome/dash-to-panel | https://api.github.com/repos/home-sweet-gnome/dash-to-panel | closed | Dash-to-panel black line under workspaces | bug help wanted high priority | 
Hello. I am using gnome40 on Fedora. And I am using this plugin. But I ran into a problem. When the dash-to-panel is open, a line appears under the workspaces. It does not appear when I move the panel to the top. Or does not appear when I use the new dash-to-dock plugin. Or this problem does not occur when I turn on panel intellihide feature | 1.0 | Dash-to-panel black line under workspaces - 
Hello. I am using gnome40 on Fedora. And I am using this plugin. But I ran into a problem. When the dash-to-panel is open, a line appears under the workspaces. It does not appear when I move the panel to the top. Or does not appear when I use the new dash-to-dock plugin. Or this problem does not occur when I turn on panel intellihide feature | priority | dash to panel black line under workspaces hello i am using on fedora and i am using this plugin but i ran into a problem when the dash to panel is open a line appears under the workspaces it does not appear when i move the panel to the top or does not appear when i use the new dash to dock plugin or this problem does not occur when i turn on panel intellihide feature | 1 |
241,574 | 7,817,395,485 | IssuesEvent | 2018-06-13 08:55:11 | nbnuk/nbnatlas-issues | https://api.github.com/repos/nbnuk/nbnatlas-issues | closed | Fallopia japonica | Janapese Knotweed | UKSI high-priority | Spelling error on NBN Atlas for 'Common Name'. When create list of record spelling error shows up but not on the overview page.
We were featured in a BBC article over the weekend about this so would be good to correct spelling asap.
http://www.bbc.co.uk/news/business-40899108 | 1.0 | Fallopia japonica | Janapese Knotweed - Spelling error on NBN Atlas for 'Common Name'. When create list of record spelling error shows up but not on the overview page.
We were featured in a BBC article over the weekend about this so would be good to correct spelling asap.
http://www.bbc.co.uk/news/business-40899108 | priority | fallopia japonica janapese knotweed spelling error on nbn atlas for common name when create list of record spelling error shows up but not on the overview page we were featured in a bbc article over the weekend about this so would be good to correct spelling asap | 1 |
477,591 | 13,764,977,799 | IssuesEvent | 2020-10-07 12:50:09 | AY2021S1-CS2113T-T09-1/tp | https://api.github.com/repos/AY2021S1-CS2113T-T09-1/tp | closed | Create Tasks within Project | priority.High type.Story | As a project manager, I can create tasks within project so I can track tasks.
| 1.0 | Create Tasks within Project - As a project manager, I can create tasks within project so I can track tasks.
| priority | create tasks within project as a project manager i can create tasks within project so i can track tasks | 1 |
386,839 | 11,451,418,301 | IssuesEvent | 2020-02-06 11:33:44 | wso2/product-is | https://api.github.com/repos/wso2/product-is | closed | Count roles API does not work with db2 database | Affected/5.10.0-Alpha2 Priority/Highest Severity/Blocker Type/Bug | Need to improve count roles API to support all the databases \[1]
\[1] https://github.com/wso2/carbon-kernel/pull/2350 | 1.0 | Count roles API does not work with db2 database - Need to improve count roles API to support all the databases \[1]
\[1] https://github.com/wso2/carbon-kernel/pull/2350 | priority | count roles api does not work with database need to improve count roles api to support all the databases | 1 |
581,662 | 17,314,268,985 | IssuesEvent | 2021-07-27 02:20:47 | h2oai/datatable | https://api.github.com/repos/h2oai/datatable | closed | Crash when saving to Jay virtual void column | High priority segfault | ```
>>> import datatable as dt
>>> dt.Frame([None]*10)[:3, :].to_jay()
Segmentation fault: 11
```
_Originally posted by:_ @arnocandel | 1.0 | Crash when saving to Jay virtual void column - ```
>>> import datatable as dt
>>> dt.Frame([None]*10)[:3, :].to_jay()
Segmentation fault: 11
```
_Originally posted by:_ @arnocandel | priority | crash when saving to jay virtual void column import datatable as dt dt frame to jay segmentation fault originally posted by arnocandel | 1 |
352,465 | 10,542,503,723 | IssuesEvent | 2019-10-02 13:18:58 | ansible/galaxy | https://api.github.com/repos/ansible/galaxy | closed | Require collection to have 'repository' or allow collection to be browsed via Galaxy UI | area/backend area/frontend priority/high status/new type/enhancement | ## Feature Request
### Use Case
Ansible Galaxy roles had to be tied to a GitHub repository. Being tied to one specific service was annoying in many cases, but one benefit of that was you could always and quickly browse the source of the role, without having to download it to your local machine.
Ansible Galaxy collections do _not_ have to be tied to a GitHub repository (the `repository` field in `galaxy.yml` is optional). Nor do they need to be tied to any kind of public repository (meaning collections can technically be closed source).
This creates two problems, though:
1. There is no way to see what's inside a collection (e.g. https://galaxy.ansible.com/devoperate/base) without downloading it locally.
2. Every time someone does wish to evaluate the code in a collection, they must download it, thus inflating the download count (one of the metrics which may or may not be important in the search rankings of a collection).
### Proposed Solution
Require the `repository` field in `galaxy.yml`.
(Yes, I know that technically someone could build a collection from anywhere as long as they have credentials, so the source should not be considered as canonical, either—but for 99% of collections, the source would have a documented build process that allows me to also verify that the collection I'm getting did not suffer from a code injection attack during its build on some crusty old internal Jenkins server... basically I want to be able to have reproducible builds for collections.)
### Alternatives
Another option would be to build some sort of mechanism that allows browsing the contents of a collection in the Galaxy UI. There be dragons; this is why it's nice to be able to link back to Gogs, Gitea, GitLab, GitHub, etc. (see proposed solution).
### Implementation
N/A | 1.0 | Require collection to have 'repository' or allow collection to be browsed via Galaxy UI - ## Feature Request
### Use Case
Ansible Galaxy roles had to be tied to a GitHub repository. Being tied to one specific service was annoying in many cases, but one benefit of that was you could always and quickly browse the source of the role, without having to download it to your local machine.
Ansible Galaxy collections do _not_ have to be tied to a GitHub repository (the `repository` field in `galaxy.yml` is optional). Nor do they need to be tied to any kind of public repository (meaning collections can technically be closed source).
This creates two problems, though:
1. There is no way to see what's inside a collection (e.g. https://galaxy.ansible.com/devoperate/base) without downloading it locally.
2. Every time someone does wish to evaluate the code in a collection, they must download it, thus inflating the download count (one of the metrics which may or may not be important in the search rankings of a collection).
### Proposed Solution
Require the `repository` field in `galaxy.yml`.
(Yes, I know that technically someone could build a collection from anywhere as long as they have credentials, so the source should not be considered as canonical, either—but for 99% of collections, the source would have a documented build process that allows me to also verify that the collection I'm getting did not suffer from a code injection attack during its build on some crusty old internal Jenkins server... basically I want to be able to have reproducible builds for collections.)
### Alternatives
Another option would be to build some sort of mechanism that allows browsing the contents of a collection in the Galaxy UI. There be dragons; this is why it's nice to be able to link back to Gogs, Gitea, GitLab, GitHub, etc. (see proposed solution).
### Implementation
N/A | priority | require collection to have repository or allow collection to be browsed via galaxy ui feature request use case ansible galaxy roles had to be tied to a github repository being tied to one specific service was annoying in many cases but one benefit of that was you could always and quickly browse the source of the role without having to download it to your local machine ansible galaxy collections do not have to be tied to a github repository the repository field in galaxy yml is optional nor do they need to be tied to any kind of public repository meaning collections can technically be closed source this creates two problems though there is no way to see what s inside a collection e g without downloading it locally every time someone does wish to evaluate the code in a collection they must download it thus inflating the download count one of the metrics which may or may not be important in the search rankings of a collection proposed solution require the repository field in galaxy yml yes i know that technically someone could build a collection from anywhere as long as they have credentials so the source should not be considered as canonical either—but for of collections the source would have a documented build process that allows me to also verify that the collection i m getting did not suffer from a code injection attack during its build on some crusty old internal jenkins server basically i want to be able to have reproducible builds for collections alternatives another option would be to build some sort of mechanism that allows browsing the contents of a collection in the galaxy ui there be dragons this is why it s nice to be able to link back to gogs gitea gitlab github etc see proposed solution implementation n a | 1 |
525,824 | 15,266,739,727 | IssuesEvent | 2021-02-22 09:12:01 | OpenSRP/opensrp-server-web | https://api.github.com/repos/OpenSRP/opensrp-server-web | closed | Bulk CSV upload failing even though web page returned a successful response | Priority: High bug eusm has-pr | We discovered this was due to the inventory items not being returned in the get API call due to invalid accountability end date.
| 1.0 | Bulk CSV upload failing even though web page returned a successful response - We discovered this was due to the inventory items not being returned in the get API call due to invalid accountability end date.
| priority | bulk csv upload failing even though web page returned a successful response we discovered this was due to the inventory items not being returned in the get api call due to invalid accountability end date | 1 |
654,830 | 21,671,078,505 | IssuesEvent | 2022-05-08 00:36:49 | Jeth-Discord/JethJS | https://api.github.com/repos/Jeth-Discord/JethJS | opened | BlacklistCommand não reconhecendo blacklistModule | Type: Bug 🐞 Priority: High Module: Jeth (Discord) 🎀 Help Wanted 💁 | ```js
C:\Users\mathe\OneDrive\Desktop\JethJS-13\src\commands\Magic\BlacklistCommand.js:79
if (guildData.guild.blacklistModule) {
^
TypeError: Cannot read properties of null (reading 'guild')
at C:\Users\mathe\OneDrive\Desktop\JethJS-13\src\commands\Magic\BlacklistCommand.js:79:25
at process.processTicksAndRejections (node:internal/process/task_queues:95:5)
```
Nenhuma solução encontrada até o momento. | 1.0 | BlacklistCommand não reconhecendo blacklistModule - ```js
C:\Users\mathe\OneDrive\Desktop\JethJS-13\src\commands\Magic\BlacklistCommand.js:79
if (guildData.guild.blacklistModule) {
^
TypeError: Cannot read properties of null (reading 'guild')
at C:\Users\mathe\OneDrive\Desktop\JethJS-13\src\commands\Magic\BlacklistCommand.js:79:25
at process.processTicksAndRejections (node:internal/process/task_queues:95:5)
```
Nenhuma solução encontrada até o momento. | priority | blacklistcommand não reconhecendo blacklistmodule js c users mathe onedrive desktop jethjs src commands magic blacklistcommand js if guilddata guild blacklistmodule typeerror cannot read properties of null reading guild at c users mathe onedrive desktop jethjs src commands magic blacklistcommand js at process processticksandrejections node internal process task queues nenhuma solução encontrada até o momento | 1 |
151,123 | 5,798,549,381 | IssuesEvent | 2017-05-03 02:22:54 | 18F/before-you-ship | https://api.github.com/repos/18F/before-you-ship | closed | Update documentation for new and improved LATO 90-day process | High Priority HighBar | Documenting new process for 90 day LATOs for Jez
- [ ] do basic system categorization work (essentially the README + SSP YAML - system name, impact level, POCs, blah blah)
- [ ] system / data flow diagrams(s) optional but desired!
- [ ] articulate summary of system (should be same as project README) and end points for scanning in GSA IT ATO project plan
- [ ] fill out Rules of Engagement for scanning and pen test
- [ ] send to Infrastructure Lead for approval, Infra Lead fills out final GSA IT ATO project plan and sends to Infrastructure and the ISSO
| 1.0 | Update documentation for new and improved LATO 90-day process - Documenting new process for 90 day LATOs for Jez
- [ ] do basic system categorization work (essentially the README + SSP YAML - system name, impact level, POCs, blah blah)
- [ ] system / data flow diagrams(s) optional but desired!
- [ ] articulate summary of system (should be same as project README) and end points for scanning in GSA IT ATO project plan
- [ ] fill out Rules of Engagement for scanning and pen test
- [ ] send to Infrastructure Lead for approval, Infra Lead fills out final GSA IT ATO project plan and sends to Infrastructure and the ISSO
| priority | update documentation for new and improved lato day process documenting new process for day latos for jez do basic system categorization work essentially the readme ssp yaml system name impact level pocs blah blah system data flow diagrams s optional but desired articulate summary of system should be same as project readme and end points for scanning in gsa it ato project plan fill out rules of engagement for scanning and pen test send to infrastructure lead for approval infra lead fills out final gsa it ato project plan and sends to infrastructure and the isso | 1 |
691,583 | 23,702,154,729 | IssuesEvent | 2022-08-29 20:06:48 | stake-house/eth-wizard | https://api.github.com/repos/stake-house/eth-wizard | closed | Prepare for the merge maintenance task | enhancement priority - high | Add a prepare for the merge maintenance task with everything to be ready for the merge. Starts with Prater. | 1.0 | Prepare for the merge maintenance task - Add a prepare for the merge maintenance task with everything to be ready for the merge. Starts with Prater. | priority | prepare for the merge maintenance task add a prepare for the merge maintenance task with everything to be ready for the merge starts with prater | 1 |
131,601 | 5,162,625,708 | IssuesEvent | 2017-01-17 01:48:09 | Esri/solutions-webappbuilder-widgets | https://api.github.com/repos/Esri/solutions-webappbuilder-widgets | closed | Unable to configure Visibility widget | B - Bug High Priority Showstopper | ### Widget
Visibility
### Version of widget
1.0
### Bug or Enhancement
Cannot confgure the Visibility widget with a working gp service.
This shows my results in ArcMap using the steps outlined in the doc.
1. The picture shows two results.
- Results from running the tool locally
- Results from the gp service


I copied the following URL in the widget configureation step:
https://fqdn/ags/rest/services/Test/ViewshedTestWidget/GPServer
### Repo Steps or Enhancement details
| 1.0 | Unable to configure Visibility widget - ### Widget
Visibility
### Version of widget
1.0
### Bug or Enhancement
Cannot confgure the Visibility widget with a working gp service.
This shows my results in ArcMap using the steps outlined in the doc.
1. The picture shows two results.
- Results from running the tool locally
- Results from the gp service


I copied the following URL in the widget configureation step:
https://fqdn/ags/rest/services/Test/ViewshedTestWidget/GPServer
### Repo Steps or Enhancement details
| priority | unable to configure visibility widget widget visibility version of widget bug or enhancement cannot confgure the visibility widget with a working gp service this shows my results in arcmap using the steps outlined in the doc the picture shows two results results from running the tool locally results from the gp service i copied the following url in the widget configureation step repo steps or enhancement details | 1 |
476,999 | 13,753,726,591 | IssuesEvent | 2020-10-06 15:58:57 | AY2021S1-CS2103T-W12-4/tp | https://api.github.com/repos/AY2021S1-CS2103T-W12-4/tp | closed | View Lesson | priority.High type.Story | As a tutor, I can view the attendance and participation for all students in a specified lesson | 1.0 | View Lesson - As a tutor, I can view the attendance and participation for all students in a specified lesson | priority | view lesson as a tutor i can view the attendance and participation for all students in a specified lesson | 1 |
435,828 | 12,541,981,787 | IssuesEvent | 2020-06-05 13:19:13 | IBM/fhe-toolkit-macos | https://api.github.com/repos/IBM/fhe-toolkit-macos | closed | setup.sh scripts overrides PATH | FIXED bug high priority | setup.sh scripts overrides PATH and misses /opt/local/bin causing "cmake" not found when building HElib | 1.0 | setup.sh scripts overrides PATH - setup.sh scripts overrides PATH and misses /opt/local/bin causing "cmake" not found when building HElib | priority | setup sh scripts overrides path setup sh scripts overrides path and misses opt local bin causing cmake not found when building helib | 1 |
521,680 | 15,113,591,859 | IssuesEvent | 2021-02-09 00:01:19 | graknlabs/grakn | https://api.github.com/repos/graknlabs/grakn | closed | Inserting a relation where a relation already exists extends the relation | priority: high type: bug | ## Description
Under certain circumstances adding a relation between two players, who are already related by the same relation type, instead creates two relations with four role-players.
## Environment
1. OS (where Grakn server runs): AWS
2. Grakn version (and platform): 2.0 alpha 5
3. Grakn client: client-python
4. Other environment details: I have full steps for reproducing this on a client's private server. I will share this privately.
| 1.0 | Inserting a relation where a relation already exists extends the relation - ## Description
Under certain circumstances adding a relation between two players, who are already related by the same relation type, instead creates two relations with four role-players.
## Environment
1. OS (where Grakn server runs): AWS
2. Grakn version (and platform): 2.0 alpha 5
3. Grakn client: client-python
4. Other environment details: I have full steps for reproducing this on a client's private server. I will share this privately.
| priority | inserting a relation where a relation already exists extends the relation description under certain circumstances adding a relation between two players who are already related by the same relation type instead creates two relations with four role players environment os where grakn server runs aws grakn version and platform alpha grakn client client python other environment details i have full steps for reproducing this on a client s private server i will share this privately | 1 |
152,526 | 5,848,621,148 | IssuesEvent | 2017-05-10 21:20:17 | vmware/vic | https://api.github.com/repos/vmware/vic | closed | can't pull from gcr.io | area/docker kind/bug priority/high |
**VIC version:**
master
**Deployment details:**
What was the vic-machine create command used to deploy the VCH?
```
dir="$( cd "$( dirname "${BASH_SOURCE[0]}" )" && pwd )"
datastore="${GOVC_DATASTORE}/${1-kov}"
publicnet="${PUBLIC_NETWORK-PublicNetwork}"
internalnet="${PRIVATE_NETWORK-InternalNetwork}"
fingerprint="$("$dir/get-fingerprint.sh" "$GOVC_URL" | cut -d '=' -f2)"
"$dir/../.bin/vic-machine-$(uname | tr '[:upper:]' '[:lower:]')" create \
--name "${1-kov}" \
--target "$GOVC_URL" \
--thumbprint "$fingerprint" \
--user "$GOVC_USERNAME" \
--image-store "$datastore" \
--password "$GOVC_PASSWORD" \
--container-network "$publicnet" \
--bridge-network "$internalnet" \
--public-network "$publicnet" \
--compute-resource "$GOVC_CLUSTER" \
--timeout "10m" \
--volume-store "${datastore}:default" \
--tls-cname "kov-vch" \
--debug 0 \
--force
```
**Steps to reproduce:**
docker pull "gcr.io/google_containers/hyperkube:v1.6.2"
**Actual behavior:**
Pulling from google_containers/hyperkube
Error while pulling image manifest: name doesn't match what was requested, expected: google_containers/hyperkube, downloaded: unused
**Expected behavior:**
v1.6.2: Pulling from google_containers/hyperkube
6d827a3ef358: Pull complete
a3ed95caeb02: Pull complete
001d026ef0c3: Pull complete
159671a680e7: Pull complete
d0561d2a13c7: Pull complete
**Logs:**
[logs.zip](https://github.com/vmware/vic/files/975382/logs.zip)
| 1.0 | can't pull from gcr.io -
**VIC version:**
master
**Deployment details:**
What was the vic-machine create command used to deploy the VCH?
```
dir="$( cd "$( dirname "${BASH_SOURCE[0]}" )" && pwd )"
datastore="${GOVC_DATASTORE}/${1-kov}"
publicnet="${PUBLIC_NETWORK-PublicNetwork}"
internalnet="${PRIVATE_NETWORK-InternalNetwork}"
fingerprint="$("$dir/get-fingerprint.sh" "$GOVC_URL" | cut -d '=' -f2)"
"$dir/../.bin/vic-machine-$(uname | tr '[:upper:]' '[:lower:]')" create \
--name "${1-kov}" \
--target "$GOVC_URL" \
--thumbprint "$fingerprint" \
--user "$GOVC_USERNAME" \
--image-store "$datastore" \
--password "$GOVC_PASSWORD" \
--container-network "$publicnet" \
--bridge-network "$internalnet" \
--public-network "$publicnet" \
--compute-resource "$GOVC_CLUSTER" \
--timeout "10m" \
--volume-store "${datastore}:default" \
--tls-cname "kov-vch" \
--debug 0 \
--force
```
**Steps to reproduce:**
docker pull "gcr.io/google_containers/hyperkube:v1.6.2"
**Actual behavior:**
Pulling from google_containers/hyperkube
Error while pulling image manifest: name doesn't match what was requested, expected: google_containers/hyperkube, downloaded: unused
**Expected behavior:**
v1.6.2: Pulling from google_containers/hyperkube
6d827a3ef358: Pull complete
a3ed95caeb02: Pull complete
001d026ef0c3: Pull complete
159671a680e7: Pull complete
d0561d2a13c7: Pull complete
**Logs:**
[logs.zip](https://github.com/vmware/vic/files/975382/logs.zip)
| priority | can t pull from gcr io vic version master deployment details what was the vic machine create command used to deploy the vch dir cd dirname bash source pwd datastore govc datastore kov publicnet public network publicnetwork internalnet private network internalnetwork fingerprint dir get fingerprint sh govc url cut d dir bin vic machine uname tr create name kov target govc url thumbprint fingerprint user govc username image store datastore password govc password container network publicnet bridge network internalnet public network publicnet compute resource govc cluster timeout volume store datastore default tls cname kov vch debug force steps to reproduce docker pull gcr io google containers hyperkube actual behavior pulling from google containers hyperkube error while pulling image manifest name doesn t match what was requested expected google containers hyperkube downloaded unused expected behavior pulling from google containers hyperkube pull complete pull complete pull complete pull complete pull complete logs | 1 |
808,063 | 30,032,601,179 | IssuesEvent | 2023-06-27 10:34:36 | rpm-software-management/dnf5 | https://api.github.com/repos/rpm-software-management/dnf5 | closed | Decide how to ship bgettext (and others from common/utils/ directory) headers | Priority: HIGH Triaged | There is `#include "utils/bgettext/bgettext-mark-common.h"` in `include/libdnf/common/exception.hpp` which makes `dnf install dnf5-devel` insufficient for building a third-party plugin. The bgettext/* headers are not part of any dnf5 devel packages. | 1.0 | Decide how to ship bgettext (and others from common/utils/ directory) headers - There is `#include "utils/bgettext/bgettext-mark-common.h"` in `include/libdnf/common/exception.hpp` which makes `dnf install dnf5-devel` insufficient for building a third-party plugin. The bgettext/* headers are not part of any dnf5 devel packages. | priority | decide how to ship bgettext and others from common utils directory headers there is include utils bgettext bgettext mark common h in include libdnf common exception hpp which makes dnf install devel insufficient for building a third party plugin the bgettext headers are not part of any devel packages | 1 |
707,569 | 24,309,965,362 | IssuesEvent | 2022-09-29 21:09:43 | nasa/fprime | https://api.github.com/repos/nasa/fprime | closed | Revive Small Platform Support | enhancement High Priority | | | |
|:---|:---|
|**_F´ Version_**| |
|**_Affected Component_**| |
---
## Feature Description
AVR and small ARM compilations are failing since v2.1. We should revive support. | 1.0 | Revive Small Platform Support - | | |
|:---|:---|
|**_F´ Version_**| |
|**_Affected Component_**| |
---
## Feature Description
AVR and small ARM compilations are failing since v2.1. We should revive support. | priority | revive small platform support f´ version affected component feature description avr and small arm compilations are failing since we should revive support | 1 |
745,851 | 26,003,947,218 | IssuesEvent | 2022-12-20 17:31:07 | nabla-studio/nablajs | https://api.github.com/repos/nabla-studio/nablajs | closed | Add Optional Metadata For Mnemonic Storage | enhancement high priority review | We should allow additional metadata to be added for each mnemonics that is saved inside `KeyringStorageMnemonic `:
https://github.com/nabla-studio/nablajs/blob/next/packages/keyring/src/lib/types/storage.ts#L7 | 1.0 | Add Optional Metadata For Mnemonic Storage - We should allow additional metadata to be added for each mnemonics that is saved inside `KeyringStorageMnemonic `:
https://github.com/nabla-studio/nablajs/blob/next/packages/keyring/src/lib/types/storage.ts#L7 | priority | add optional metadata for mnemonic storage we should allow additional metadata to be added for each mnemonics that is saved inside keyringstoragemnemonic | 1 |
375,210 | 11,101,580,808 | IssuesEvent | 2019-12-16 21:45:28 | carbon-design-system/design-language-website | https://api.github.com/repos/carbon-design-system/design-language-website | closed | IBM Logos page: adjust image to 8 column width | priority: high type: content :book: | https://www.ibm.com/design/language/elements/ibm-logos/8-bar#legal-requirements
<img width="1263" alt="Screen Shot 2019-12-02 at 11 56 08 PM" src="https://user-images.githubusercontent.com/32881239/70024554-1d400500-1560-11ea-87e3-48aba480e66a.png">
The current on is too wide.
| 1.0 | IBM Logos page: adjust image to 8 column width - https://www.ibm.com/design/language/elements/ibm-logos/8-bar#legal-requirements
<img width="1263" alt="Screen Shot 2019-12-02 at 11 56 08 PM" src="https://user-images.githubusercontent.com/32881239/70024554-1d400500-1560-11ea-87e3-48aba480e66a.png">
The current on is too wide.
| priority | ibm logos page adjust image to column width img width alt screen shot at pm src the current on is too wide | 1 |
147,243 | 5,635,923,024 | IssuesEvent | 2017-04-06 02:59:11 | nus-mtp/steps-networking-module | https://api.github.com/repos/nus-mtp/steps-networking-module | closed | Exhibition can only be edited by group members | high-priority UI | Criteria:
1. Exhibition can only be edited by group members
2. Exhibition should set and save tags
| 1.0 | Exhibition can only be edited by group members - Criteria:
1. Exhibition can only be edited by group members
2. Exhibition should set and save tags
| priority | exhibition can only be edited by group members criteria exhibition can only be edited by group members exhibition should set and save tags | 1 |
824,318 | 31,149,501,246 | IssuesEvent | 2023-08-16 08:58:55 | bryntum/support | https://api.github.com/repos/bryntum/support | closed | Container with autoUpdateRecord: true not updating record | resolved high-priority forum OEM api change | [Forum post](https://www.bryntum.com/forum/viewtopic.php?f=43&t=22238&p=110017#p110017)
With the following structure
```
class Person extends Model {
static get fields() {
return [
{ name: "id", type: "string" },
{ name: "Order", type: "model" },
{ name: "Name", type: "string" }
];
}
}
let myPerson = new Person();
myPerson.Name = "My name";
let myField = new TextField({
appendTo : document.body,
width : 200,
label : 'Enter text',
name : 'Name',
style : 'margin-right: .5em'
});
let myButton = new Button({
text: 'My button',
onClick: function ()
{
Toast.show("Field value: " + myField.value);
Toast.show("Record value: " + myPerson.Name);
}
});
let myButton2 = new Button({
text: 'Clear button',
onClick: function ()
{
myField.clearError();
}
});
let MyContainer = new Container({
appendTo : document.body,
autoUpdateRecord: true,
items: [myField, myButton, myButton2]
})
MyContainer.record = myPerson;
myField.setError("My error");
```
Expected behavior: when we change the input value, the record has the Name property updated as well, so when we click the "My button", the toasts have the same value.
Current behavior: the record doesn't get updated as the input changes.
Just as the user mentioned, if you click the "Clear Error" button, and modify the field, the Toast shows both the same (and correct) value. | 1.0 | Container with autoUpdateRecord: true not updating record - [Forum post](https://www.bryntum.com/forum/viewtopic.php?f=43&t=22238&p=110017#p110017)
With the following structure
```
class Person extends Model {
static get fields() {
return [
{ name: "id", type: "string" },
{ name: "Order", type: "model" },
{ name: "Name", type: "string" }
];
}
}
let myPerson = new Person();
myPerson.Name = "My name";
let myField = new TextField({
appendTo : document.body,
width : 200,
label : 'Enter text',
name : 'Name',
style : 'margin-right: .5em'
});
let myButton = new Button({
text: 'My button',
onClick: function ()
{
Toast.show("Field value: " + myField.value);
Toast.show("Record value: " + myPerson.Name);
}
});
let myButton2 = new Button({
text: 'Clear button',
onClick: function ()
{
myField.clearError();
}
});
let MyContainer = new Container({
appendTo : document.body,
autoUpdateRecord: true,
items: [myField, myButton, myButton2]
})
MyContainer.record = myPerson;
myField.setError("My error");
```
Expected behavior: when we change the input value, the record has the Name property updated as well, so when we click the "My button", the toasts have the same value.
Current behavior: the record doesn't get updated as the input changes.
Just as the user mentioned, if you click the "Clear Error" button, and modify the field, the Toast shows both the same (and correct) value. | priority | container with autoupdaterecord true not updating record with the following structure class person extends model static get fields return name id type string name order type model name name type string let myperson new person myperson name my name let myfield new textfield appendto document body width label enter text name name style margin right let mybutton new button text my button onclick function toast show field value myfield value toast show record value myperson name let new button text clear button onclick function myfield clearerror let mycontainer new container appendto document body autoupdaterecord true items mycontainer record myperson myfield seterror my error expected behavior when we change the input value the record has the name property updated as well so when we click the my button the toasts have the same value current behavior the record doesn t get updated as the input changes just as the user mentioned if you click the clear error button and modify the field the toast shows both the same and correct value | 1 |
344,814 | 10,349,641,431 | IssuesEvent | 2019-09-04 23:18:29 | oslc-op/jira-migration-landfill | https://api.github.com/repos/oslc-op/jira-migration-landfill | closed | Query spec references obsolete document | Core: Query Priority: High Xtra: Jira | [https://open-services.net/bin/view/Main/OSLCCoreSpecQuery](https://open-services.net/bin/view/Main/OSLCCoreSpecQuery), section Query Parameters references an obsolete document at [https://open-services.net/bin/view/Main/OslcSimpleQuerySemanticsV1](https://open-services.net/bin/view/Main/OslcSimpleQuerySemanticsV1).
Should this reference be removed?
or replaced with something else, and if so, what?
---
_Migrated from https://issues.oasis-open.org/browse/OSLCCORE-108 (opened by @oslc-bot; previously assigned to @jamsden)_
| 1.0 | Query spec references obsolete document - [https://open-services.net/bin/view/Main/OSLCCoreSpecQuery](https://open-services.net/bin/view/Main/OSLCCoreSpecQuery), section Query Parameters references an obsolete document at [https://open-services.net/bin/view/Main/OslcSimpleQuerySemanticsV1](https://open-services.net/bin/view/Main/OslcSimpleQuerySemanticsV1).
Should this reference be removed?
or replaced with something else, and if so, what?
---
_Migrated from https://issues.oasis-open.org/browse/OSLCCORE-108 (opened by @oslc-bot; previously assigned to @jamsden)_
| priority | query spec references obsolete document section query parameters references an obsolete document at should this reference be removed or replaced with something else and if so what migrated from opened by oslc bot previously assigned to jamsden | 1 |
198,613 | 6,974,757,993 | IssuesEvent | 2017-12-12 02:37:21 | madeline-bauer/frontend-web-dev | https://api.github.com/repos/madeline-bauer/frontend-web-dev | closed | Fix upload form | Priority: High Status: Completed Type: Bug | The form isn't doing what the postman upload test is doing. In theory an easy fix.
Uploading is handled correctly on the backend. | 1.0 | Fix upload form - The form isn't doing what the postman upload test is doing. In theory an easy fix.
Uploading is handled correctly on the backend. | priority | fix upload form the form isn t doing what the postman upload test is doing in theory an easy fix uploading is handled correctly on the backend | 1 |
798,443 | 28,264,341,035 | IssuesEvent | 2023-04-07 04:39:52 | curiouslearning/FeedTheMonsterJS | https://api.github.com/repos/curiouslearning/FeedTheMonsterJS | closed | Update DEV Curious Reader manifest w/ DEV Let's Fly PWA | High Priority | **User Story**
As a CR container app developer and Product Owner,
I want to add the Let's Fly app icon, "Let's Fly" title, and a link to the development Let's Fly PWA (https://curiousreaderdev.curiouscontent.org) to the DEV Curious Reader manifest file,
So that we can have the experience of adding a second app to the CR container app and that we can launch and cache the content of Let's Fly within the DEVELOPMENT Curious Reader container app.
**Acceptance Criteria**
Given that I am using the DEV Curious Reader container app,
When I launch DEV CR,
Then I should see the Let's Fly icon, title, and should be able to start reading the DEV Let's Fly story.
Given that I am using the DEV Curious Reader container app and I have launched the DEV Let's Fly app,
When I view the screen and the DEV Let's Fly content,
Then I should see the close button in the top left corner of the screen that returns us to DEV Curious Reader container app homescreen. | 1.0 | Update DEV Curious Reader manifest w/ DEV Let's Fly PWA - **User Story**
As a CR container app developer and Product Owner,
I want to add the Let's Fly app icon, "Let's Fly" title, and a link to the development Let's Fly PWA (https://curiousreaderdev.curiouscontent.org) to the DEV Curious Reader manifest file,
So that we can have the experience of adding a second app to the CR container app and that we can launch and cache the content of Let's Fly within the DEVELOPMENT Curious Reader container app.
**Acceptance Criteria**
Given that I am using the DEV Curious Reader container app,
When I launch DEV CR,
Then I should see the Let's Fly icon, title, and should be able to start reading the DEV Let's Fly story.
Given that I am using the DEV Curious Reader container app and I have launched the DEV Let's Fly app,
When I view the screen and the DEV Let's Fly content,
Then I should see the close button in the top left corner of the screen that returns us to DEV Curious Reader container app homescreen. | priority | update dev curious reader manifest w dev let s fly pwa user story as a cr container app developer and product owner i want to add the let s fly app icon let s fly title and a link to the development let s fly pwa to the dev curious reader manifest file so that we can have the experience of adding a second app to the cr container app and that we can launch and cache the content of let s fly within the development curious reader container app acceptance criteria given that i am using the dev curious reader container app when i launch dev cr then i should see the let s fly icon title and should be able to start reading the dev let s fly story given that i am using the dev curious reader container app and i have launched the dev let s fly app when i view the screen and the dev let s fly content then i should see the close button in the top left corner of the screen that returns us to dev curious reader container app homescreen | 1 |
602,744 | 18,502,240,259 | IssuesEvent | 2021-10-19 14:49:04 | ArctosDB/arctos | https://api.github.com/repos/ArctosDB/arctos | closed | Free the Bulkloader | Priority-High (Needed for work) Function-DataEntry/Bulkloading Enhancement | You can summon the collection people via the collection contacts.
<img width="728" alt="Screen Shot 2021-10-18 at 3 43 33 PM" src="https://user-images.githubusercontent.com/5720791/137816405-524d10fa-fb78-4dd1-9323-598bb7b20dae.png">
@mkoo @ccicero
_Originally posted by @dustymc in https://github.com/ArctosDB/arctos/issues/4015#issuecomment-946225234_
When your data has issues and you download it to correct them, there is no easy path to clear it from the bulkloader.

| 1.0 | Free the Bulkloader - You can summon the collection people via the collection contacts.
<img width="728" alt="Screen Shot 2021-10-18 at 3 43 33 PM" src="https://user-images.githubusercontent.com/5720791/137816405-524d10fa-fb78-4dd1-9323-598bb7b20dae.png">
@mkoo @ccicero
_Originally posted by @dustymc in https://github.com/ArctosDB/arctos/issues/4015#issuecomment-946225234_
When your data has issues and you download it to correct them, there is no easy path to clear it from the bulkloader.

| priority | free the bulkloader you can summon the collection people via the collection contacts img width alt screen shot at pm src mkoo ccicero originally posted by dustymc in when your data has issues and you download it to correct them there is no easy path to clear it from the bulkloader | 1 |
718,366 | 24,714,265,642 | IssuesEvent | 2022-10-20 05:13:12 | submariner-io/lighthouse | https://api.github.com/repos/submariner-io/lighthouse | closed | Updating an exported service is not handled | bug lighthouse priority:high | **What happened**:
In a working setup, when a service is exported, we can successfully access it from remote clusters.
If we update the service (like the port numbers) in the origin cluster, the corresponding serviceImport is not updated.
| 1.0 | Updating an exported service is not handled - **What happened**:
In a working setup, when a service is exported, we can successfully access it from remote clusters.
If we update the service (like the port numbers) in the origin cluster, the corresponding serviceImport is not updated.
| priority | updating an exported service is not handled what happened in a working setup when a service is exported we can successfully access it from remote clusters if we update the service like the port numbers in the origin cluster the corresponding serviceimport is not updated | 1 |
220,477 | 7,360,205,095 | IssuesEvent | 2018-03-10 16:12:19 | cnguy/onetricks.net | https://api.github.com/repos/cnguy/onetricks.net | closed | Break up app into routes | high-priority in-progress | Allows share-able URLS such as these: http://onetricks.net/aatrox?rank=challenger®ion=all and will be much better for user when I add more features (runes, mini match histories, best/worst matchups). | 1.0 | Break up app into routes - Allows share-able URLS such as these: http://onetricks.net/aatrox?rank=challenger®ion=all and will be much better for user when I add more features (runes, mini match histories, best/worst matchups). | priority | break up app into routes allows share able urls such as these and will be much better for user when i add more features runes mini match histories best worst matchups | 1 |
202,797 | 7,055,242,965 | IssuesEvent | 2018-01-04 07:04:22 | DarkstarProject/darkstar | https://api.github.com/repos/DarkstarProject/darkstar | closed | items with multiple latents are only proccing the first | High Priority | <!-- place 'x' mark between square [] brackets to checkmark box -->
**_I have:_**
- [x] searched existing issues (http://github.com/darkstarproject/darkstar/issues/) to see if the issue I am posting has already been addressed or opened by another contributor
- [x] checked the commit log to see if my issue has been resolved since my server was last updated
<!-- Issues will be closed without being looked into if the following information is missing (unless its not applicable). -->
**_Client Version_** (type `/ver` in game) **:** 30171205_0
**_Server Version_** (type `!revision` in game) **:** 6e869c25ce874cc66dce77d586374c208239a44b
**_Source Branch_** (master/stable) **:** master
**_Additional Information_** (Steps to reproduce/Expected behavior) **:**
Be a level 75 character.
Give yourself a Rajas ring. ```!additem 15543```
Put it on.
The only latent that's being applied is the first one from item_latents.
```
INSERT INTO `item_latents` VALUES(15543, 8, 1, 51, 45); -- STR+1 above level 45
INSERT INTO `item_latents` VALUES(15543, 8, 1, 51, 60); -- STR+1 above level 60
INSERT INTO `item_latents` VALUES(15543, 8, 1, 51, 75); -- STR+1 above level 75
INSERT INTO `item_latents` VALUES(15543, 9, 1, 51, 45); -- DEX+1 above level 45
INSERT INTO `item_latents` VALUES(15543, 9, 1, 51, 60); -- DEX+1 above level 60
INSERT INTO `item_latents` VALUES(15543, 9, 1, 51, 75); -- DEX+1 above level 75
``` | 1.0 | items with multiple latents are only proccing the first - <!-- place 'x' mark between square [] brackets to checkmark box -->
**_I have:_**
- [x] searched existing issues (http://github.com/darkstarproject/darkstar/issues/) to see if the issue I am posting has already been addressed or opened by another contributor
- [x] checked the commit log to see if my issue has been resolved since my server was last updated
<!-- Issues will be closed without being looked into if the following information is missing (unless its not applicable). -->
**_Client Version_** (type `/ver` in game) **:** 30171205_0
**_Server Version_** (type `!revision` in game) **:** 6e869c25ce874cc66dce77d586374c208239a44b
**_Source Branch_** (master/stable) **:** master
**_Additional Information_** (Steps to reproduce/Expected behavior) **:**
Be a level 75 character.
Give yourself a Rajas ring. ```!additem 15543```
Put it on.
The only latent that's being applied is the first one from item_latents.
```
INSERT INTO `item_latents` VALUES(15543, 8, 1, 51, 45); -- STR+1 above level 45
INSERT INTO `item_latents` VALUES(15543, 8, 1, 51, 60); -- STR+1 above level 60
INSERT INTO `item_latents` VALUES(15543, 8, 1, 51, 75); -- STR+1 above level 75
INSERT INTO `item_latents` VALUES(15543, 9, 1, 51, 45); -- DEX+1 above level 45
INSERT INTO `item_latents` VALUES(15543, 9, 1, 51, 60); -- DEX+1 above level 60
INSERT INTO `item_latents` VALUES(15543, 9, 1, 51, 75); -- DEX+1 above level 75
``` | priority | items with multiple latents are only proccing the first i have searched existing issues to see if the issue i am posting has already been addressed or opened by another contributor checked the commit log to see if my issue has been resolved since my server was last updated client version type ver in game server version type revision in game source branch master stable master additional information steps to reproduce expected behavior be a level character give yourself a rajas ring additem put it on the only latent that s being applied is the first one from item latents insert into item latents values str above level insert into item latents values str above level insert into item latents values str above level insert into item latents values dex above level insert into item latents values dex above level insert into item latents values dex above level | 1 |
423,210 | 12,292,909,019 | IssuesEvent | 2020-05-10 16:38:06 | bounswe/bounswe2020group4 | https://api.github.com/repos/bounswe/bounswe2020group4 | opened | Implementing front-end. | Effort: High Priority: Critical Status: Pending Task: Assignment | Implementation Assignment.
A front-end to test the functionality of our practice-app is need to be implemented using pure HTML/CSS/JS.
Deadline: **15.05.2020** | 1.0 | Implementing front-end. - Implementation Assignment.
A front-end to test the functionality of our practice-app is need to be implemented using pure HTML/CSS/JS.
Deadline: **15.05.2020** | priority | implementing front end implementation assignment a front end to test the functionality of our practice app is need to be implemented using pure html css js deadline | 1 |
423,652 | 12,299,809,315 | IssuesEvent | 2020-05-11 13:01:54 | pokt-network/pocket-core | https://api.github.com/repos/pokt-network/pocket-core | closed | Claimsubmissionwindow and Blockspersession need to have the session context | bug high priority in progress | **Describe the bug**
pocketcore/keeper/proof.go
The context passed to the claimsubmissionwindow and blockspersession need to be the session context and not ctx | 1.0 | Claimsubmissionwindow and Blockspersession need to have the session context - **Describe the bug**
pocketcore/keeper/proof.go
The context passed to the claimsubmissionwindow and blockspersession need to be the session context and not ctx | priority | claimsubmissionwindow and blockspersession need to have the session context describe the bug pocketcore keeper proof go the context passed to the claimsubmissionwindow and blockspersession need to be the session context and not ctx | 1 |
347,912 | 10,436,290,885 | IssuesEvent | 2019-09-17 19:13:29 | supergrecko/QuestionBot | https://api.github.com/repos/supergrecko/QuestionBot | closed | core: Implement preconditions | effort:low priority:high scope:dev status:work-in-progress type:feature-request | Need to implement preconditions to limit commands to certain groups of users | 1.0 | core: Implement preconditions - Need to implement preconditions to limit commands to certain groups of users | priority | core implement preconditions need to implement preconditions to limit commands to certain groups of users | 1 |
649,748 | 21,318,849,541 | IssuesEvent | 2022-04-16 19:08:59 | userigorgithub/whats-cookin | https://api.github.com/repos/userigorgithub/whats-cookin | closed | Add .catch into API branch : Refactor API calls to make DRY | high priority API requests | Add in .catch to API calls after lesson on error handling | 1.0 | Add .catch into API branch : Refactor API calls to make DRY - Add in .catch to API calls after lesson on error handling | priority | add catch into api branch refactor api calls to make dry add in catch to api calls after lesson on error handling | 1 |
192,358 | 6,849,038,592 | IssuesEvent | 2017-11-13 20:38:10 | craftercms/craftercms | https://api.github.com/repos/craftercms/craftercms | closed | [studio-ui] Uploading an image into static assets results in `//` in the file path | bug priority: high | Per conversation on the #craftercms channel, uploading images (other assets?) into static assets results in double slash in the path. | 1.0 | [studio-ui] Uploading an image into static assets results in `//` in the file path - Per conversation on the #craftercms channel, uploading images (other assets?) into static assets results in double slash in the path. | priority | uploading an image into static assets results in in the file path per conversation on the craftercms channel uploading images other assets into static assets results in double slash in the path | 1 |
69,129 | 3,295,529,823 | IssuesEvent | 2015-11-01 01:30:11 | ClinGen/clincoded | https://api.github.com/repos/ClinGen/clincoded | closed | Record Header should be at top of Group, Family, Individual, Variant pages | priority: high v0.5 | Record Header: @forresttanaka and I agreed to call the following a "Record Header":

When a user is within a record and starts adding evidence to an article, all pages that they get to for that article should have the record header - e.g. the Group, Family, Individual, Variant pages (see interface pptx) so they have context as to what record they are working on.
The paper citation should also be carried over (see slide 5 of pptx on wiki: ClinGen_interface_4_version0.5 only_v12.pptx) | 1.0 | Record Header should be at top of Group, Family, Individual, Variant pages - Record Header: @forresttanaka and I agreed to call the following a "Record Header":

When a user is within a record and starts adding evidence to an article, all pages that they get to for that article should have the record header - e.g. the Group, Family, Individual, Variant pages (see interface pptx) so they have context as to what record they are working on.
The paper citation should also be carried over (see slide 5 of pptx on wiki: ClinGen_interface_4_version0.5 only_v12.pptx) | priority | record header should be at top of group family individual variant pages record header forresttanaka and i agreed to call the following a record header when a user is within a record and starts adding evidence to an article all pages that they get to for that article should have the record header e g the group family individual variant pages see interface pptx so they have context as to what record they are working on the paper citation should also be carried over see slide of pptx on wiki clingen interface only pptx | 1 |
280,451 | 8,681,826,493 | IssuesEvent | 2018-12-02 00:16:46 | Horyus/ticket721 | https://api.github.com/repos/Horyus/ticket721 | opened | [Demo] Server Side Wallet Management | Priority: High Status: Pending Type: Enhancement | - [ ] Server Side Internal Logics
- [ ] Server Side Auth System Refactoring
- [ ] Server Side API Routes
- [ ] Client Side Mode Picker
- [ ] Client Side Web3 Integration
- [ ] Client Side Tx Notifications | 1.0 | [Demo] Server Side Wallet Management - - [ ] Server Side Internal Logics
- [ ] Server Side Auth System Refactoring
- [ ] Server Side API Routes
- [ ] Client Side Mode Picker
- [ ] Client Side Web3 Integration
- [ ] Client Side Tx Notifications | priority | server side wallet management server side internal logics server side auth system refactoring server side api routes client side mode picker client side integration client side tx notifications | 1 |
284,858 | 8,751,395,680 | IssuesEvent | 2018-12-13 22:11:44 | aowen87/BAR | https://api.github.com/repos/aowen87/BAR | closed | xray image query broken for rectilinear meshes | bug crash likelihood medium priority reviewed severity high wrong results | The xray image query gives all zeroes in the output for rectlinear meshes.
-----------------------REDMINE MIGRATION-----------------------
This ticket was migrated from Redmine. As such, not all
information was able to be captured in the transition. Below is
a complete record of the original redmine ticket.
Ticket number: 1057
Status: Resolved
Project: VisIt
Tracker: Bug
Priority: High
Subject: xray image query broken for rectilinear meshes
Assigned to: Eric Brugger
Category: -
Target version: 2.5.1
Author: Eric Brugger
Start: 05/14/2012
Due date:
% Done: 100%
Estimated time: 2.50 hours
Created: 05/14/2012 11:33 am
Updated: 05/14/2012 12:58 pm
Likelihood: 3 - Occasional
Severity: 4 - Crash / Wrong Results
Found in version: 2.4.2
Impact:
Expected Use:
OS: All
Support Group: Any
Description:
The xray image query gives all zeroes in the output for rectlinear meshes.
Comments:
I committed revisions 18226, 18227, 18230 and 18231 to the 2.5 RC and trunkwith the following change:1) I modified the XRayImage query so that it properly handles 3d rectilinear meshes. This resolves #1057.M src/avt/Filters/avtXRayFilter.CM src/help/en_US/relnotes2.5.1.htmlA test/baseline/queries/xrayimage/xrayimage25.pngA test/baseline/queries/xrayimage/xrayimage26.txtA test/baseline/queries/xrayimage/xrayimage27.pngA test/baseline/queries/xrayimage/xrayimage28.txt
| 1.0 | xray image query broken for rectilinear meshes - The xray image query gives all zeroes in the output for rectlinear meshes.
-----------------------REDMINE MIGRATION-----------------------
This ticket was migrated from Redmine. As such, not all
information was able to be captured in the transition. Below is
a complete record of the original redmine ticket.
Ticket number: 1057
Status: Resolved
Project: VisIt
Tracker: Bug
Priority: High
Subject: xray image query broken for rectilinear meshes
Assigned to: Eric Brugger
Category: -
Target version: 2.5.1
Author: Eric Brugger
Start: 05/14/2012
Due date:
% Done: 100%
Estimated time: 2.50 hours
Created: 05/14/2012 11:33 am
Updated: 05/14/2012 12:58 pm
Likelihood: 3 - Occasional
Severity: 4 - Crash / Wrong Results
Found in version: 2.4.2
Impact:
Expected Use:
OS: All
Support Group: Any
Description:
The xray image query gives all zeroes in the output for rectlinear meshes.
Comments:
I committed revisions 18226, 18227, 18230 and 18231 to the 2.5 RC and trunkwith the following change:1) I modified the XRayImage query so that it properly handles 3d rectilinear meshes. This resolves #1057.M src/avt/Filters/avtXRayFilter.CM src/help/en_US/relnotes2.5.1.htmlA test/baseline/queries/xrayimage/xrayimage25.pngA test/baseline/queries/xrayimage/xrayimage26.txtA test/baseline/queries/xrayimage/xrayimage27.pngA test/baseline/queries/xrayimage/xrayimage28.txt
| priority | xray image query broken for rectilinear meshes the xray image query gives all zeroes in the output for rectlinear meshes redmine migration this ticket was migrated from redmine as such not all information was able to be captured in the transition below is a complete record of the original redmine ticket ticket number status resolved project visit tracker bug priority high subject xray image query broken for rectilinear meshes assigned to eric brugger category target version author eric brugger start due date done estimated time hours created am updated pm likelihood occasional severity crash wrong results found in version impact expected use os all support group any description the xray image query gives all zeroes in the output for rectlinear meshes comments i committed revisions and to the rc and trunkwith the following change i modified the xrayimage query so that it properly handles rectilinear meshes this resolves m src avt filters avtxrayfilter cm src help en us htmla test baseline queries xrayimage pnga test baseline queries xrayimage txta test baseline queries xrayimage pnga test baseline queries xrayimage txt | 1 |
633,528 | 20,257,857,355 | IssuesEvent | 2022-02-15 02:19:23 | TencentBlueKing/bk-iam-saas | https://api.github.com/repos/TencentBlueKing/bk-iam-saas | closed | 可观测性 | Priority: High Type: Proposal | - Python/Go 两类, 接入 promethues + otel, 相关接入实践文档
- Python 的接入实践文档
- Go 的接入实践文档
- 每个项目必须暴露的基础指标 (被调用/调用外部/基础服务mysql+redis+mq等)
- Django prometheus暴露了哪些?
- 调用外部接口(esb/第三方等)
- 依赖的基础服务指标(mysql/redis/mq等)
- 使用grafana/蓝鲸监控配置图表
- 以上暴露指标的各个图表
-------
涉及项目:
- paasv3
- 权限中心
- bcs
- APIGateway | 1.0 | 可观测性 - - Python/Go 两类, 接入 promethues + otel, 相关接入实践文档
- Python 的接入实践文档
- Go 的接入实践文档
- 每个项目必须暴露的基础指标 (被调用/调用外部/基础服务mysql+redis+mq等)
- Django prometheus暴露了哪些?
- 调用外部接口(esb/第三方等)
- 依赖的基础服务指标(mysql/redis/mq等)
- 使用grafana/蓝鲸监控配置图表
- 以上暴露指标的各个图表
-------
涉及项目:
- paasv3
- 权限中心
- bcs
- APIGateway | priority | 可观测性 python go 两类 接入 promethues otel 相关接入实践文档 python 的接入实践文档 go 的接入实践文档 每个项目必须暴露的基础指标 被调用 调用外部 基础服务mysql redis mq等 django prometheus暴露了哪些 调用外部接口 esb 第三方等 依赖的基础服务指标 mysql redis mq等 使用grafana 蓝鲸监控配置图表 以上暴露指标的各个图表 涉及项目 权限中心 bcs apigateway | 1 |
378,590 | 11,204,911,768 | IssuesEvent | 2020-01-05 10:17:50 | godotengine/godot | https://api.github.com/repos/godotengine/godot | closed | RichTextLabel::_process_line error makes Godot unresponsive during One-Click Deploy | bug high priority topic:editor usability | <!-- Please search existing issues for potential duplicates before filing yours:
https://github.com/godotengine/godot/issues?q=is%3Aissue
-->
**Godot version:**
<!-- Specify commit hash if non-official. -->
3.02
**Issue description:**
<!-- What happened, and what was expected. -->
I have changed nothing in my program, but out of nowhere I can't One-Click Deploy my app to my phone without Godot freezing and the terminal goes to an endless loop saying:
"error: richtextlabel::_process_line: index line=0 out of size"
This may not be enough info, but again everything was running fine, then out of nowhere this is occurring. | 1.0 | RichTextLabel::_process_line error makes Godot unresponsive during One-Click Deploy - <!-- Please search existing issues for potential duplicates before filing yours:
https://github.com/godotengine/godot/issues?q=is%3Aissue
-->
**Godot version:**
<!-- Specify commit hash if non-official. -->
3.02
**Issue description:**
<!-- What happened, and what was expected. -->
I have changed nothing in my program, but out of nowhere I can't One-Click Deploy my app to my phone without Godot freezing and the terminal goes to an endless loop saying:
"error: richtextlabel::_process_line: index line=0 out of size"
This may not be enough info, but again everything was running fine, then out of nowhere this is occurring. | priority | richtextlabel process line error makes godot unresponsive during one click deploy please search existing issues for potential duplicates before filing yours godot version issue description i have changed nothing in my program but out of nowhere i can t one click deploy my app to my phone without godot freezing and the terminal goes to an endless loop saying error richtextlabel process line index line out of size this may not be enough info but again everything was running fine then out of nowhere this is occurring | 1 |
30,918 | 2,729,473,202 | IssuesEvent | 2015-04-16 08:48:31 | calblueprint/foodshift | https://api.github.com/repos/calblueprint/foodshift | closed | Add logo upload utility | high priority in progress | We want recipients and donors to upload their logos to their profiles so that these can show up on the "About" page. | 1.0 | Add logo upload utility - We want recipients and donors to upload their logos to their profiles so that these can show up on the "About" page. | priority | add logo upload utility we want recipients and donors to upload their logos to their profiles so that these can show up on the about page | 1 |
128,769 | 5,075,447,806 | IssuesEvent | 2016-12-27 19:42:50 | wireservice/csvkit | https://api.github.com/repos/wireservice/csvkit | closed | 1.0 release | High Priority question | I've got a little time to work on this this week. I'm of a mind to try to barrel through and get the 1.0 release out, with or without complete documentation. Just getting the tests to pass would be good enough for me right now. @jpmckinney can you update me on anything you see that's blocking a release? | 1.0 | 1.0 release - I've got a little time to work on this this week. I'm of a mind to try to barrel through and get the 1.0 release out, with or without complete documentation. Just getting the tests to pass would be good enough for me right now. @jpmckinney can you update me on anything you see that's blocking a release? | priority | release i ve got a little time to work on this this week i m of a mind to try to barrel through and get the release out with or without complete documentation just getting the tests to pass would be good enough for me right now jpmckinney can you update me on anything you see that s blocking a release | 1 |
353,588 | 10,554,622,024 | IssuesEvent | 2019-10-03 19:54:04 | processing/p5.js-web-editor | https://api.github.com/repos/processing/p5.js-web-editor | closed | Need to double-click data folder to add files | good first issue help wanted priority:high type:bug |
#### Nature of issue?
- Found a bug
#### Details about the bug:
- Web browser and version: Chrome
- Operating System: Windows
- Steps to reproduce this bug:
* Add a 'data' folder to the project folder
* Click on the down-arrow next to the folder to 'add file'
* Choose the file (e.g. an image) to upload.
* It will upload, but will not be inside the folder.
You need to double-click the folder in order to upload it.
| 1.0 | Need to double-click data folder to add files -
#### Nature of issue?
- Found a bug
#### Details about the bug:
- Web browser and version: Chrome
- Operating System: Windows
- Steps to reproduce this bug:
* Add a 'data' folder to the project folder
* Click on the down-arrow next to the folder to 'add file'
* Choose the file (e.g. an image) to upload.
* It will upload, but will not be inside the folder.
You need to double-click the folder in order to upload it.
| priority | need to double click data folder to add files nature of issue found a bug details about the bug web browser and version chrome operating system windows steps to reproduce this bug add a data folder to the project folder click on the down arrow next to the folder to add file choose the file e g an image to upload it will upload but will not be inside the folder you need to double click the folder in order to upload it | 1 |
764,296 | 26,793,834,032 | IssuesEvent | 2023-02-01 10:24:54 | wso2/api-manager | https://api.github.com/repos/wso2/api-manager | closed | Error when starting the deprecated key manager profile | Type/Bug Priority/Highest Component/APIM Affected/APIM-4.x.x 4.2.0-beta | ### Description
The following error log gets printed when starting the deprecated key manager profile. Web app deployment fails.
```
[2022-11-12 10:19:23,946] INFO - TomcatGenericWebappsDeployer Deployed webapp: StandardEngine[Catalina].StandardHost[localhost].StandardContext[/authenticationendpoint].File[/Users/tharika/Documents/Release-APIM-4.2.0/11thNov/KM/repository/deployment/server/webapps/authenticationendpoint]
[2022-11-12 10:19:24,969] ERROR - ContextLoader Context initialization failed
org.springframework.beans.factory.BeanCreationException: Error creating bean with name 'cxf' defined in class path resource [META-INF/cxf/cxf.xml]: Cannot resolve reference to bean 'AuthenticationInterceptor' while setting bean property 'inInterceptors' with key [1]; nested exception is org.springframework.beans.factory.BeanCreationException: Error creating bean with name 'AuthenticationInterceptor' defined in ServletContext resource [/WEB-INF/beans.xml]: Instantiation of bean failed; nested exception is org.springframework.beans.BeanInstantiationException: Failed to instantiate [org.wso2.carbon.apimgt.rest.api.util.interceptors.auth.OAuthAuthenticationInterceptor]: Constructor threw exception; nested exception is java.lang.NullPointerException: Cannot invoke "org.wso2.carbon.apimgt.impl.APIManagerConfiguration.getJwtConfigurationDto()" because "org.wso2.carbon.apimgt.rest.api.common.APIMConfigUtil.configuration" is null
at org.springframework.beans.factory.support.BeanDefinitionValueResolver.resolveReference(BeanDefinitionValueResolver.java:342) ~[?:?]
at org.springframework.beans.factory.support.BeanDefinitionValueResolver.resolveValueIfNecessary(BeanDefinitionValueResolver.java:113) ~[?:?]
at org.springframework.beans.factory.support.BeanDefinitionValueResolver.resolveManagedList(BeanDefinitionValueResolver.java:428) ~[?:?]
at org.springframework.beans.factory.support.BeanDefinitionValueResolver.resolveValueIfNecessary(BeanDefinitionValueResolver.java:173) ~[?:?]
at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.applyPropertyValues(AbstractAutowireCapableBeanFactory.java:1707) ~[?:?]
at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.populateBean(AbstractAutowireCapableBeanFactory.java:1452) ~[?:?]
at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.doCreateBean(AbstractAutowireCapableBeanFactory.java:619) ~[?:?]
at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.createBean(AbstractAutowireCapableBeanFactory.java:542) ~[?:?]
at org.springframework.beans.factory.support.AbstractBeanFactory.lambda$doGetBean$0(AbstractBeanFactory.java:335) ~[?:?]
at org.springframework.beans.factory.support.DefaultSingletonBeanRegistry.getSingleton(DefaultSingletonBeanRegistry.java:234) ~[?:?]
at org.springframework.beans.factory.support.AbstractBeanFactory.doGetBean(AbstractBeanFactory.java:333) ~[?:?]
at org.springframework.beans.factory.support.AbstractBeanFactory.getBean(AbstractBeanFactory.java:208) ~[?:?]
at org.springframework.beans.factory.support.DefaultListableBeanFactory.preInstantiateSingletons(DefaultListableBeanFactory.java:953) ~[?:?]
at org.springframework.context.support.AbstractApplicationContext.finishBeanFactoryInitialization(AbstractApplicationContext.java:918) ~[?:?]
at org.springframework.context.support.AbstractApplicationContext.refresh(AbstractApplicationContext.java:583) ~[?:?]
at org.springframework.web.context.ContextLoader.configureAndRefreshWebApplicationContext(ContextLoader.java:401) ~[?:?]
at org.springframework.web.context.ContextLoader.initWebApplicationContext(ContextLoader.java:292) ~[?:?]
at org.springframework.web.context.ContextLoaderListener.contextInitialized(ContextLoaderListener.java:103) ~[?:?]
at org.apache.catalina.core.StandardContext.listenerStart(StandardContext.java:4768) ~[tomcat_9.0.58.wso2v1.jar:?]
at org.apache.catalina.core.StandardContext.startInternal(StandardContext.java:5230) ~[tomcat_9.0.58.wso2v1.jar:?]
at org.apache.catalina.util.LifecycleBase.start(LifecycleBase.java:183) ~[tomcat_9.0.58.wso2v1.jar:?]
at org.apache.catalina.core.ContainerBase.addChildInternal(ContainerBase.java:726) ~[tomcat_9.0.58.wso2v1.jar:?]
at org.apache.catalina.core.ContainerBase.addChild(ContainerBase.java:698) ~[tomcat_9.0.58.wso2v1.jar:?]
at org.apache.catalina.core.StandardHost.addChild(StandardHost.java:696) ~[tomcat_9.0.58.wso2v1.jar:?]
at org.wso2.carbon.tomcat.internal.CarbonTomcat.addWebApp(CarbonTomcat.java:303) ~[?:?]
at org.wso2.carbon.tomcat.internal.CarbonTomcat.addWebApp(CarbonTomcat.java:209) ~[?:?]
at org.wso2.carbon.webapp.mgt.TomcatGenericWebappsDeployer.handleWebappDeployment(TomcatGenericWebappsDeployer.java:255) ~[org.wso2.carbon.webapp.mgt_4.11.4.jar:?]
at org.wso2.carbon.webapp.mgt.TomcatGenericWebappsDeployer.handleWarWebappDeployment(TomcatGenericWebappsDeployer.java:206) ~[org.wso2.carbon.webapp.mgt_4.11.4.jar:?]
at org.wso2.carbon.webapp.mgt.TomcatGenericWebappsDeployer.handleHotDeployment(TomcatGenericWebappsDeployer.java:175) ~[org.wso2.carbon.webapp.mgt_4.11.4.jar:?]
at org.wso2.carbon.webapp.mgt.TomcatGenericWebappsDeployer.deploy(TomcatGenericWebappsDeployer.java:140) ~[org.wso2.carbon.webapp.mgt_4.11.4.jar:?]
at org.wso2.carbon.webapp.mgt.AbstractWebappDeployer.deployThisWebApp(AbstractWebappDeployer.java:224) ~[org.wso2.carbon.webapp.mgt_4.11.4.jar:?]
at org.wso2.carbon.webapp.mgt.AbstractWebappDeployer.deploy(AbstractWebappDeployer.java:114) ~[org.wso2.carbon.webapp.mgt_4.11.4.jar:?]
at org.wso2.carbon.webapp.deployer.WebappDeployer.deploy(WebappDeployer.java:42) ~[org.wso2.carbon.webapp.deployer_4.11.4.jar:?]
at org.apache.axis2.deployment.repository.util.DeploymentFileData.deploy(DeploymentFileData.java:136) ~[axis2_1.6.1.wso2v83.jar:?]
at org.apache.axis2.deployment.DeploymentEngine.doDeploy(DeploymentEngine.java:807) ~[axis2_1.6.1.wso2v83.jar:?]
at org.apache.axis2.deployment.repository.util.WSInfoList.update(WSInfoList.java:153) ~[axis2_1.6.1.wso2v83.jar:?]
at org.apache.axis2.deployment.RepositoryListener.update(RepositoryListener.java:377) ~[axis2_1.6.1.wso2v83.jar:?]
at org.apache.axis2.deployment.RepositoryListener.checkServices(RepositoryListener.java:254) ~[axis2_1.6.1.wso2v83.jar:?]
at org.apache.axis2.deployment.DeploymentEngine.loadServices(DeploymentEngine.java:135) ~[axis2_1.6.1.wso2v83.jar:?]
at org.wso2.carbon.core.CarbonAxisConfigurator.deployServices(CarbonAxisConfigurator.java:568) ~[org.wso2.carbon.core_4.8.0.m1.jar:?]
at org.wso2.carbon.core.internal.DeploymentServerStartupObserver.completingServerStartup(DeploymentServerStartupObserver.java:51) ~[?:?]
at org.wso2.carbon.core.internal.CarbonCoreServiceComponent.notifyBefore(CarbonCoreServiceComponent.java:258) ~[?:?]
at org.wso2.carbon.core.internal.StartupFinalizerServiceComponent.completeInitialization(StartupFinalizerServiceComponent.java:166) ~[?:?]
at org.wso2.carbon.core.internal.StartupFinalizerServiceComponent.serviceChanged(StartupFinalizerServiceComponent.java:323) ~[?:?]
at org.eclipse.osgi.internal.serviceregistry.FilteredServiceListener.serviceChanged(FilteredServiceListener.java:113) ~[org.eclipse.osgi_3.14.0.v20190517-1309.jar:?]
at org.eclipse.osgi.internal.framework.BundleContextImpl.dispatchEvent(BundleContextImpl.java:985) ~[org.eclipse.osgi_3.14.0.v20190517-1309.jar:?]
at org.eclipse.osgi.framework.eventmgr.EventManager.dispatchEvent(EventManager.java:234) ~[org.eclipse.osgi_3.14.0.v20190517-1309.jar:?]
at org.eclipse.osgi.framework.eventmgr.ListenerQueue.dispatchEventSynchronous(ListenerQueue.java:151) ~[org.eclipse.osgi_3.14.0.v20190517-1309.jar:?]
at org.eclipse.osgi.internal.serviceregistry.ServiceRegistry.publishServiceEventPrivileged(ServiceRegistry.java:866) ~[org.eclipse.osgi_3.14.0.v20190517-1309.jar:?]
at org.eclipse.osgi.internal.serviceregistry.ServiceRegistry.publishServiceEvent(ServiceRegistry.java:804) ~[org.eclipse.osgi_3.14.0.v20190517-1309.jar:?]
at org.eclipse.osgi.internal.serviceregistry.ServiceRegistrationImpl.register(ServiceRegistrationImpl.java:130) ~[org.eclipse.osgi_3.14.0.v20190517-1309.jar:?]
at org.eclipse.osgi.internal.serviceregistry.ServiceRegistry.registerService(ServiceRegistry.java:228) ~[org.eclipse.osgi_3.14.0.v20190517-1309.jar:?]
at org.eclipse.osgi.internal.framework.BundleContextImpl.registerService(BundleContextImpl.java:525) ~[org.eclipse.osgi_3.14.0.v20190517-1309.jar:?]
at org.eclipse.osgi.internal.framework.BundleContextImpl.registerService(BundleContextImpl.java:544) ~[org.eclipse.osgi_3.14.0.v20190517-1309.jar:?]
at org.wso2.carbon.throttling.agent.internal.ThrottlingAgentServiceComponent.registerThrottlingAgent(ThrottlingAgentServiceComponent.java:118) ~[org.wso2.carbon.tenant.throttling.agent_4.9.10.jar:?]
at org.wso2.carbon.throttling.agent.internal.ThrottlingAgentServiceComponent.activate(ThrottlingAgentServiceComponent.java:96) ~[org.wso2.carbon.tenant.throttling.agent_4.9.10.jar:?]
at jdk.internal.reflect.NativeMethodAccessorImpl.invoke0(Native Method) ~[?:?]
at jdk.internal.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:77) ~[?:?]
at jdk.internal.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) ~[?:?]
at java.lang.reflect.Method.invoke(Method.java:568) ~[?:?]
at org.eclipse.equinox.internal.ds.model.ServiceComponent.activate(ServiceComponent.java:260) ~[org.eclipse.equinox.ds_1.4.400.v20160226-2036.jar:?]
at org.eclipse.equinox.internal.ds.model.ServiceComponentProp.activate(ServiceComponentProp.java:146) ~[org.eclipse.equinox.ds_1.4.400.v20160226-2036.jar:?]
at org.eclipse.equinox.internal.ds.model.ServiceComponentProp.build(ServiceComponentProp.java:345) ~[org.eclipse.equinox.ds_1.4.400.v20160226-2036.jar:?]
at org.eclipse.equinox.internal.ds.InstanceProcess.buildComponent(InstanceProcess.java:620) ~[org.eclipse.equinox.ds_1.4.400.v20160226-2036.jar:?]
at org.eclipse.equinox.internal.ds.InstanceProcess.buildComponents(InstanceProcess.java:197) ~[org.eclipse.equinox.ds_1.4.400.v20160226-2036.jar:?]
at org.eclipse.equinox.internal.ds.Resolver.getEligible(Resolver.java:343) ~[org.eclipse.equinox.ds_1.4.400.v20160226-2036.jar:?]
at org.eclipse.equinox.internal.ds.SCRManager.serviceChanged(SCRManager.java:222) ~[org.eclipse.equinox.ds_1.4.400.v20160226-2036.jar:?]
at org.eclipse.osgi.internal.serviceregistry.FilteredServiceListener.serviceChanged(FilteredServiceListener.java:113) ~[org.eclipse.osgi_3.14.0.v20190517-1309.jar:?]
at org.eclipse.osgi.internal.framework.BundleContextImpl.dispatchEvent(BundleContextImpl.java:985) ~[org.eclipse.osgi_3.14.0.v20190517-1309.jar:?]
at org.eclipse.osgi.framework.eventmgr.EventManager.dispatchEvent(EventManager.java:234) ~[org.eclipse.osgi_3.14.0.v20190517-1309.jar:?]
at org.eclipse.osgi.framework.eventmgr.ListenerQueue.dispatchEventSynchronous(ListenerQueue.java:151) ~[org.eclipse.osgi_3.14.0.v20190517-1309.jar:?]
at org.eclipse.osgi.internal.serviceregistry.ServiceRegistry.publishServiceEventPrivileged(ServiceRegistry.java:866) ~[org.eclipse.osgi_3.14.0.v20190517-1309.jar:?]
at org.eclipse.osgi.internal.serviceregistry.ServiceRegistry.publishServiceEvent(ServiceRegistry.java:804) ~[org.eclipse.osgi_3.14.0.v20190517-1309.jar:?]
at org.eclipse.osgi.internal.serviceregistry.ServiceRegistrationImpl.register(ServiceRegistrationImpl.java:130) ~[org.eclipse.osgi_3.14.0.v20190517-1309.jar:?]
at org.eclipse.osgi.internal.serviceregistry.ServiceRegistry.registerService(ServiceRegistry.java:228) ~[org.eclipse.osgi_3.14.0.v20190517-1309.jar:?]
at org.eclipse.osgi.internal.framework.BundleContextImpl.registerService(BundleContextImpl.java:525) ~[org.eclipse.osgi_3.14.0.v20190517-1309.jar:?]
at org.eclipse.osgi.internal.framework.BundleContextImpl.registerService(BundleContextImpl.java:544) ~[org.eclipse.osgi_3.14.0.v20190517-1309.jar:?]
at org.wso2.carbon.core.init.CarbonServerManager.initializeCarbon(CarbonServerManager.java:529) ~[org.wso2.carbon.core_4.8.0.m1.jar:?]
at org.wso2.carbon.core.init.CarbonServerManager.removePendingItem(CarbonServerManager.java:305) ~[org.wso2.carbon.core_4.8.0.m1.jar:?]
at org.wso2.carbon.core.init.PreAxis2ConfigItemListener.bundleChanged(PreAxis2ConfigItemListener.java:118) ~[org.wso2.carbon.core_4.8.0.m1.jar:?]
at org.eclipse.osgi.internal.framework.BundleContextImpl.dispatchEvent(BundleContextImpl.java:973) ~[org.eclipse.osgi_3.14.0.v20190517-1309.jar:?]
at org.eclipse.osgi.framework.eventmgr.EventManager.dispatchEvent(EventManager.java:234) ~[org.eclipse.osgi_3.14.0.v20190517-1309.jar:?]
at org.eclipse.osgi.framework.eventmgr.EventManager$EventThread.run(EventManager.java:345) ~[org.eclipse.osgi_3.14.0.v20190517-1309.jar:?]
Caused by: org.springframework.beans.factory.BeanCreationException: Error creating bean with name 'AuthenticationInterceptor' defined in ServletContext resource [/WEB-INF/beans.xml]: Instantiation of bean failed; nested exception is org.springframework.beans.BeanInstantiationException: Failed to instantiate [org.wso2.carbon.apimgt.rest.api.util.interceptors.auth.OAuthAuthenticationInterceptor]: Constructor threw exception; nested exception is java.lang.NullPointerException: Cannot invoke "org.wso2.carbon.apimgt.impl.APIManagerConfiguration.getJwtConfigurationDto()" because "org.wso2.carbon.apimgt.rest.api.common.APIMConfigUtil.configuration" is null
at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.instantiateBean(AbstractAutowireCapableBeanFactory.java:1334) ~[?:?]
at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.createBeanInstance(AbstractAutowireCapableBeanFactory.java:1232) ~[?:?]
at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.doCreateBean(AbstractAutowireCapableBeanFactory.java:582) ~[?:?]
at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.createBean(AbstractAutowireCapableBeanFactory.java:542) ~[?:?]
at org.springframework.beans.factory.support.AbstractBeanFactory.lambda$doGetBean$0(AbstractBeanFactory.java:335) ~[?:?]
at org.springframework.beans.factory.support.DefaultSingletonBeanRegistry.getSingleton(DefaultSingletonBeanRegistry.java:234) ~[?:?]
at org.springframework.beans.factory.support.AbstractBeanFactory.doGetBean(AbstractBeanFactory.java:333) ~[?:?]
at org.springframework.beans.factory.support.AbstractBeanFactory.getBean(AbstractBeanFactory.java:208) ~[?:?]
at org.springframework.beans.factory.support.BeanDefinitionValueResolver.resolveReference(BeanDefinitionValueResolver.java:330) ~[?:?]
... 82 more
Caused by: org.springframework.beans.BeanInstantiationException: Failed to instantiate [org.wso2.carbon.apimgt.rest.api.util.interceptors.auth.OAuthAuthenticationInterceptor]: Constructor threw exception; nested exception is java.lang.NullPointerException: Cannot invoke "org.wso2.carbon.apimgt.impl.APIManagerConfiguration.getJwtConfigurationDto()" because "org.wso2.carbon.apimgt.rest.api.common.APIMConfigUtil.configuration" is null
at org.springframework.beans.BeanUtils.instantiateClass(BeanUtils.java:224) ~[?:?]
at org.springframework.beans.factory.support.SimpleInstantiationStrategy.instantiate(SimpleInstantiationStrategy.java:87) ~[?:?]
at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.instantiateBean(AbstractAutowireCapableBeanFactory.java:1326) ~[?:?]
at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.createBeanInstance(AbstractAutowireCapableBeanFactory.java:1232) ~[?:?]
at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.doCreateBean(AbstractAutowireCapableBeanFactory.java:582) ~[?:?]
at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.createBean(AbstractAutowireCapableBeanFactory.java:542) ~[?:?]
at org.springframework.beans.factory.support.AbstractBeanFactory.lambda$doGetBean$0(AbstractBeanFactory.java:335) ~[?:?]
at org.springframework.beans.factory.support.DefaultSingletonBeanRegistry.getSingleton(DefaultSingletonBeanRegistry.java:234) ~[?:?]
at org.springframework.beans.factory.support.AbstractBeanFactory.doGetBean(AbstractBeanFactory.java:333) ~[?:?]
at org.springframework.beans.factory.support.AbstractBeanFactory.getBean(AbstractBeanFactory.java:208) ~[?:?]
at org.springframework.beans.factory.support.BeanDefinitionValueResolver.resolveReference(BeanDefinitionValueResolver.java:330) ~[?:?]
... 82 more
Caused by: java.lang.NullPointerException: Cannot invoke "org.wso2.carbon.apimgt.impl.APIManagerConfiguration.getJwtConfigurationDto()" because "org.wso2.carbon.apimgt.rest.api.common.APIMConfigUtil.configuration" is null
at org.wso2.carbon.apimgt.rest.api.common.APIMConfigUtil.getTokenIssuerMap(APIMConfigUtil.java:45) ~[org.wso2.carbon.apimgt.rest.api.common_9.26.69.SNAPSHOT.jar:?]
at org.wso2.carbon.apimgt.rest.api.util.impl.OAuthJwtAuthenticatorImpl.getTokenIssuers(OAuthJwtAuthenticatorImpl.java:316) ~[?:?]
at org.wso2.carbon.apimgt.rest.api.util.impl.OAuthJwtAuthenticatorImpl.<init>(OAuthJwtAuthenticatorImpl.java:75) ~[?:?]
at org.wso2.carbon.apimgt.rest.api.util.interceptors.auth.OAuthAuthenticationInterceptor.<init>(OAuthAuthenticationInterceptor.java:60) ~[?:?]
at jdk.internal.reflect.NativeConstructorAccessorImpl.newInstance0(Native Method) ~[?:?]
at jdk.internal.reflect.NativeConstructorAccessorImpl.newInstance(NativeConstructorAccessorImpl.java:77) ~[?:?]
at jdk.internal.reflect.DelegatingConstructorAccessorImpl.newInstance(DelegatingConstructorAccessorImpl.java:45) ~[?:?]
at java.lang.reflect.Constructor.newInstanceWithCaller(Constructor.java:499) ~[?:?]
at java.lang.reflect.Constructor.newInstance(Constructor.java:480) ~[?:?]
at org.springframework.beans.BeanUtils.instantiateClass(BeanUtils.java:211) ~[?:?]
at org.springframework.beans.factory.support.SimpleInstantiationStrategy.instantiate(SimpleInstantiationStrategy.java:87) ~[?:?]
at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.instantiateBean(AbstractAutowireCapableBeanFactory.java:1326) ~[?:?]
at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.createBeanInstance(AbstractAutowireCapableBeanFactory.java:1232) ~[?:?]
at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.doCreateBean(AbstractAutowireCapableBeanFactory.java:582) ~[?:?]
at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.createBean(AbstractAutowireCapableBeanFactory.java:542) ~[?:?]
at org.springframework.beans.factory.support.AbstractBeanFactory.lambda$doGetBean$0(AbstractBeanFactory.java:335) ~[?:?]
at org.springframework.beans.factory.support.DefaultSingletonBeanRegistry.getSingleton(DefaultSingletonBeanRegistry.java:234) ~[?:?]
at org.springframework.beans.factory.support.AbstractBeanFactory.doGetBean(AbstractBeanFactory.java:333) ~[?:?]
at org.springframework.beans.factory.support.AbstractBeanFactory.getBean(AbstractBeanFactory.java:208) ~[?:?]
at org.springframework.beans.factory.support.BeanDefinitionValueResolver.resolveReference(BeanDefinitionValueResolver.java:330) ~[?:?]
... 82 more
```
### Steps to Reproduce
Profile optimize and start the deprecated key manager profile. (api-key-manager-deprecated)
### Affected Component
APIM
### Version
APIM 4.2.0 M1 testing pack
### Environment Details (with versions)
_No response_
### Relevant Log Output
_No response_
### Related Issues
_No response_
### Suggested Labels
_No response_ | 1.0 | Error when starting the deprecated key manager profile - ### Description
The following error log gets printed when starting the deprecated key manager profile. Web app deployment fails.
```
[2022-11-12 10:19:23,946] INFO - TomcatGenericWebappsDeployer Deployed webapp: StandardEngine[Catalina].StandardHost[localhost].StandardContext[/authenticationendpoint].File[/Users/tharika/Documents/Release-APIM-4.2.0/11thNov/KM/repository/deployment/server/webapps/authenticationendpoint]
[2022-11-12 10:19:24,969] ERROR - ContextLoader Context initialization failed
org.springframework.beans.factory.BeanCreationException: Error creating bean with name 'cxf' defined in class path resource [META-INF/cxf/cxf.xml]: Cannot resolve reference to bean 'AuthenticationInterceptor' while setting bean property 'inInterceptors' with key [1]; nested exception is org.springframework.beans.factory.BeanCreationException: Error creating bean with name 'AuthenticationInterceptor' defined in ServletContext resource [/WEB-INF/beans.xml]: Instantiation of bean failed; nested exception is org.springframework.beans.BeanInstantiationException: Failed to instantiate [org.wso2.carbon.apimgt.rest.api.util.interceptors.auth.OAuthAuthenticationInterceptor]: Constructor threw exception; nested exception is java.lang.NullPointerException: Cannot invoke "org.wso2.carbon.apimgt.impl.APIManagerConfiguration.getJwtConfigurationDto()" because "org.wso2.carbon.apimgt.rest.api.common.APIMConfigUtil.configuration" is null
at org.springframework.beans.factory.support.BeanDefinitionValueResolver.resolveReference(BeanDefinitionValueResolver.java:342) ~[?:?]
at org.springframework.beans.factory.support.BeanDefinitionValueResolver.resolveValueIfNecessary(BeanDefinitionValueResolver.java:113) ~[?:?]
at org.springframework.beans.factory.support.BeanDefinitionValueResolver.resolveManagedList(BeanDefinitionValueResolver.java:428) ~[?:?]
at org.springframework.beans.factory.support.BeanDefinitionValueResolver.resolveValueIfNecessary(BeanDefinitionValueResolver.java:173) ~[?:?]
at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.applyPropertyValues(AbstractAutowireCapableBeanFactory.java:1707) ~[?:?]
at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.populateBean(AbstractAutowireCapableBeanFactory.java:1452) ~[?:?]
at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.doCreateBean(AbstractAutowireCapableBeanFactory.java:619) ~[?:?]
at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.createBean(AbstractAutowireCapableBeanFactory.java:542) ~[?:?]
at org.springframework.beans.factory.support.AbstractBeanFactory.lambda$doGetBean$0(AbstractBeanFactory.java:335) ~[?:?]
at org.springframework.beans.factory.support.DefaultSingletonBeanRegistry.getSingleton(DefaultSingletonBeanRegistry.java:234) ~[?:?]
at org.springframework.beans.factory.support.AbstractBeanFactory.doGetBean(AbstractBeanFactory.java:333) ~[?:?]
at org.springframework.beans.factory.support.AbstractBeanFactory.getBean(AbstractBeanFactory.java:208) ~[?:?]
at org.springframework.beans.factory.support.DefaultListableBeanFactory.preInstantiateSingletons(DefaultListableBeanFactory.java:953) ~[?:?]
at org.springframework.context.support.AbstractApplicationContext.finishBeanFactoryInitialization(AbstractApplicationContext.java:918) ~[?:?]
at org.springframework.context.support.AbstractApplicationContext.refresh(AbstractApplicationContext.java:583) ~[?:?]
at org.springframework.web.context.ContextLoader.configureAndRefreshWebApplicationContext(ContextLoader.java:401) ~[?:?]
at org.springframework.web.context.ContextLoader.initWebApplicationContext(ContextLoader.java:292) ~[?:?]
at org.springframework.web.context.ContextLoaderListener.contextInitialized(ContextLoaderListener.java:103) ~[?:?]
at org.apache.catalina.core.StandardContext.listenerStart(StandardContext.java:4768) ~[tomcat_9.0.58.wso2v1.jar:?]
at org.apache.catalina.core.StandardContext.startInternal(StandardContext.java:5230) ~[tomcat_9.0.58.wso2v1.jar:?]
at org.apache.catalina.util.LifecycleBase.start(LifecycleBase.java:183) ~[tomcat_9.0.58.wso2v1.jar:?]
at org.apache.catalina.core.ContainerBase.addChildInternal(ContainerBase.java:726) ~[tomcat_9.0.58.wso2v1.jar:?]
at org.apache.catalina.core.ContainerBase.addChild(ContainerBase.java:698) ~[tomcat_9.0.58.wso2v1.jar:?]
at org.apache.catalina.core.StandardHost.addChild(StandardHost.java:696) ~[tomcat_9.0.58.wso2v1.jar:?]
at org.wso2.carbon.tomcat.internal.CarbonTomcat.addWebApp(CarbonTomcat.java:303) ~[?:?]
at org.wso2.carbon.tomcat.internal.CarbonTomcat.addWebApp(CarbonTomcat.java:209) ~[?:?]
at org.wso2.carbon.webapp.mgt.TomcatGenericWebappsDeployer.handleWebappDeployment(TomcatGenericWebappsDeployer.java:255) ~[org.wso2.carbon.webapp.mgt_4.11.4.jar:?]
at org.wso2.carbon.webapp.mgt.TomcatGenericWebappsDeployer.handleWarWebappDeployment(TomcatGenericWebappsDeployer.java:206) ~[org.wso2.carbon.webapp.mgt_4.11.4.jar:?]
at org.wso2.carbon.webapp.mgt.TomcatGenericWebappsDeployer.handleHotDeployment(TomcatGenericWebappsDeployer.java:175) ~[org.wso2.carbon.webapp.mgt_4.11.4.jar:?]
at org.wso2.carbon.webapp.mgt.TomcatGenericWebappsDeployer.deploy(TomcatGenericWebappsDeployer.java:140) ~[org.wso2.carbon.webapp.mgt_4.11.4.jar:?]
at org.wso2.carbon.webapp.mgt.AbstractWebappDeployer.deployThisWebApp(AbstractWebappDeployer.java:224) ~[org.wso2.carbon.webapp.mgt_4.11.4.jar:?]
at org.wso2.carbon.webapp.mgt.AbstractWebappDeployer.deploy(AbstractWebappDeployer.java:114) ~[org.wso2.carbon.webapp.mgt_4.11.4.jar:?]
at org.wso2.carbon.webapp.deployer.WebappDeployer.deploy(WebappDeployer.java:42) ~[org.wso2.carbon.webapp.deployer_4.11.4.jar:?]
at org.apache.axis2.deployment.repository.util.DeploymentFileData.deploy(DeploymentFileData.java:136) ~[axis2_1.6.1.wso2v83.jar:?]
at org.apache.axis2.deployment.DeploymentEngine.doDeploy(DeploymentEngine.java:807) ~[axis2_1.6.1.wso2v83.jar:?]
at org.apache.axis2.deployment.repository.util.WSInfoList.update(WSInfoList.java:153) ~[axis2_1.6.1.wso2v83.jar:?]
at org.apache.axis2.deployment.RepositoryListener.update(RepositoryListener.java:377) ~[axis2_1.6.1.wso2v83.jar:?]
at org.apache.axis2.deployment.RepositoryListener.checkServices(RepositoryListener.java:254) ~[axis2_1.6.1.wso2v83.jar:?]
at org.apache.axis2.deployment.DeploymentEngine.loadServices(DeploymentEngine.java:135) ~[axis2_1.6.1.wso2v83.jar:?]
at org.wso2.carbon.core.CarbonAxisConfigurator.deployServices(CarbonAxisConfigurator.java:568) ~[org.wso2.carbon.core_4.8.0.m1.jar:?]
at org.wso2.carbon.core.internal.DeploymentServerStartupObserver.completingServerStartup(DeploymentServerStartupObserver.java:51) ~[?:?]
at org.wso2.carbon.core.internal.CarbonCoreServiceComponent.notifyBefore(CarbonCoreServiceComponent.java:258) ~[?:?]
at org.wso2.carbon.core.internal.StartupFinalizerServiceComponent.completeInitialization(StartupFinalizerServiceComponent.java:166) ~[?:?]
at org.wso2.carbon.core.internal.StartupFinalizerServiceComponent.serviceChanged(StartupFinalizerServiceComponent.java:323) ~[?:?]
at org.eclipse.osgi.internal.serviceregistry.FilteredServiceListener.serviceChanged(FilteredServiceListener.java:113) ~[org.eclipse.osgi_3.14.0.v20190517-1309.jar:?]
at org.eclipse.osgi.internal.framework.BundleContextImpl.dispatchEvent(BundleContextImpl.java:985) ~[org.eclipse.osgi_3.14.0.v20190517-1309.jar:?]
at org.eclipse.osgi.framework.eventmgr.EventManager.dispatchEvent(EventManager.java:234) ~[org.eclipse.osgi_3.14.0.v20190517-1309.jar:?]
at org.eclipse.osgi.framework.eventmgr.ListenerQueue.dispatchEventSynchronous(ListenerQueue.java:151) ~[org.eclipse.osgi_3.14.0.v20190517-1309.jar:?]
at org.eclipse.osgi.internal.serviceregistry.ServiceRegistry.publishServiceEventPrivileged(ServiceRegistry.java:866) ~[org.eclipse.osgi_3.14.0.v20190517-1309.jar:?]
at org.eclipse.osgi.internal.serviceregistry.ServiceRegistry.publishServiceEvent(ServiceRegistry.java:804) ~[org.eclipse.osgi_3.14.0.v20190517-1309.jar:?]
at org.eclipse.osgi.internal.serviceregistry.ServiceRegistrationImpl.register(ServiceRegistrationImpl.java:130) ~[org.eclipse.osgi_3.14.0.v20190517-1309.jar:?]
at org.eclipse.osgi.internal.serviceregistry.ServiceRegistry.registerService(ServiceRegistry.java:228) ~[org.eclipse.osgi_3.14.0.v20190517-1309.jar:?]
at org.eclipse.osgi.internal.framework.BundleContextImpl.registerService(BundleContextImpl.java:525) ~[org.eclipse.osgi_3.14.0.v20190517-1309.jar:?]
at org.eclipse.osgi.internal.framework.BundleContextImpl.registerService(BundleContextImpl.java:544) ~[org.eclipse.osgi_3.14.0.v20190517-1309.jar:?]
at org.wso2.carbon.throttling.agent.internal.ThrottlingAgentServiceComponent.registerThrottlingAgent(ThrottlingAgentServiceComponent.java:118) ~[org.wso2.carbon.tenant.throttling.agent_4.9.10.jar:?]
at org.wso2.carbon.throttling.agent.internal.ThrottlingAgentServiceComponent.activate(ThrottlingAgentServiceComponent.java:96) ~[org.wso2.carbon.tenant.throttling.agent_4.9.10.jar:?]
at jdk.internal.reflect.NativeMethodAccessorImpl.invoke0(Native Method) ~[?:?]
at jdk.internal.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:77) ~[?:?]
at jdk.internal.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) ~[?:?]
at java.lang.reflect.Method.invoke(Method.java:568) ~[?:?]
at org.eclipse.equinox.internal.ds.model.ServiceComponent.activate(ServiceComponent.java:260) ~[org.eclipse.equinox.ds_1.4.400.v20160226-2036.jar:?]
at org.eclipse.equinox.internal.ds.model.ServiceComponentProp.activate(ServiceComponentProp.java:146) ~[org.eclipse.equinox.ds_1.4.400.v20160226-2036.jar:?]
at org.eclipse.equinox.internal.ds.model.ServiceComponentProp.build(ServiceComponentProp.java:345) ~[org.eclipse.equinox.ds_1.4.400.v20160226-2036.jar:?]
at org.eclipse.equinox.internal.ds.InstanceProcess.buildComponent(InstanceProcess.java:620) ~[org.eclipse.equinox.ds_1.4.400.v20160226-2036.jar:?]
at org.eclipse.equinox.internal.ds.InstanceProcess.buildComponents(InstanceProcess.java:197) ~[org.eclipse.equinox.ds_1.4.400.v20160226-2036.jar:?]
at org.eclipse.equinox.internal.ds.Resolver.getEligible(Resolver.java:343) ~[org.eclipse.equinox.ds_1.4.400.v20160226-2036.jar:?]
at org.eclipse.equinox.internal.ds.SCRManager.serviceChanged(SCRManager.java:222) ~[org.eclipse.equinox.ds_1.4.400.v20160226-2036.jar:?]
at org.eclipse.osgi.internal.serviceregistry.FilteredServiceListener.serviceChanged(FilteredServiceListener.java:113) ~[org.eclipse.osgi_3.14.0.v20190517-1309.jar:?]
at org.eclipse.osgi.internal.framework.BundleContextImpl.dispatchEvent(BundleContextImpl.java:985) ~[org.eclipse.osgi_3.14.0.v20190517-1309.jar:?]
at org.eclipse.osgi.framework.eventmgr.EventManager.dispatchEvent(EventManager.java:234) ~[org.eclipse.osgi_3.14.0.v20190517-1309.jar:?]
at org.eclipse.osgi.framework.eventmgr.ListenerQueue.dispatchEventSynchronous(ListenerQueue.java:151) ~[org.eclipse.osgi_3.14.0.v20190517-1309.jar:?]
at org.eclipse.osgi.internal.serviceregistry.ServiceRegistry.publishServiceEventPrivileged(ServiceRegistry.java:866) ~[org.eclipse.osgi_3.14.0.v20190517-1309.jar:?]
at org.eclipse.osgi.internal.serviceregistry.ServiceRegistry.publishServiceEvent(ServiceRegistry.java:804) ~[org.eclipse.osgi_3.14.0.v20190517-1309.jar:?]
at org.eclipse.osgi.internal.serviceregistry.ServiceRegistrationImpl.register(ServiceRegistrationImpl.java:130) ~[org.eclipse.osgi_3.14.0.v20190517-1309.jar:?]
at org.eclipse.osgi.internal.serviceregistry.ServiceRegistry.registerService(ServiceRegistry.java:228) ~[org.eclipse.osgi_3.14.0.v20190517-1309.jar:?]
at org.eclipse.osgi.internal.framework.BundleContextImpl.registerService(BundleContextImpl.java:525) ~[org.eclipse.osgi_3.14.0.v20190517-1309.jar:?]
at org.eclipse.osgi.internal.framework.BundleContextImpl.registerService(BundleContextImpl.java:544) ~[org.eclipse.osgi_3.14.0.v20190517-1309.jar:?]
at org.wso2.carbon.core.init.CarbonServerManager.initializeCarbon(CarbonServerManager.java:529) ~[org.wso2.carbon.core_4.8.0.m1.jar:?]
at org.wso2.carbon.core.init.CarbonServerManager.removePendingItem(CarbonServerManager.java:305) ~[org.wso2.carbon.core_4.8.0.m1.jar:?]
at org.wso2.carbon.core.init.PreAxis2ConfigItemListener.bundleChanged(PreAxis2ConfigItemListener.java:118) ~[org.wso2.carbon.core_4.8.0.m1.jar:?]
at org.eclipse.osgi.internal.framework.BundleContextImpl.dispatchEvent(BundleContextImpl.java:973) ~[org.eclipse.osgi_3.14.0.v20190517-1309.jar:?]
at org.eclipse.osgi.framework.eventmgr.EventManager.dispatchEvent(EventManager.java:234) ~[org.eclipse.osgi_3.14.0.v20190517-1309.jar:?]
at org.eclipse.osgi.framework.eventmgr.EventManager$EventThread.run(EventManager.java:345) ~[org.eclipse.osgi_3.14.0.v20190517-1309.jar:?]
Caused by: org.springframework.beans.factory.BeanCreationException: Error creating bean with name 'AuthenticationInterceptor' defined in ServletContext resource [/WEB-INF/beans.xml]: Instantiation of bean failed; nested exception is org.springframework.beans.BeanInstantiationException: Failed to instantiate [org.wso2.carbon.apimgt.rest.api.util.interceptors.auth.OAuthAuthenticationInterceptor]: Constructor threw exception; nested exception is java.lang.NullPointerException: Cannot invoke "org.wso2.carbon.apimgt.impl.APIManagerConfiguration.getJwtConfigurationDto()" because "org.wso2.carbon.apimgt.rest.api.common.APIMConfigUtil.configuration" is null
at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.instantiateBean(AbstractAutowireCapableBeanFactory.java:1334) ~[?:?]
at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.createBeanInstance(AbstractAutowireCapableBeanFactory.java:1232) ~[?:?]
at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.doCreateBean(AbstractAutowireCapableBeanFactory.java:582) ~[?:?]
at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.createBean(AbstractAutowireCapableBeanFactory.java:542) ~[?:?]
at org.springframework.beans.factory.support.AbstractBeanFactory.lambda$doGetBean$0(AbstractBeanFactory.java:335) ~[?:?]
at org.springframework.beans.factory.support.DefaultSingletonBeanRegistry.getSingleton(DefaultSingletonBeanRegistry.java:234) ~[?:?]
at org.springframework.beans.factory.support.AbstractBeanFactory.doGetBean(AbstractBeanFactory.java:333) ~[?:?]
at org.springframework.beans.factory.support.AbstractBeanFactory.getBean(AbstractBeanFactory.java:208) ~[?:?]
at org.springframework.beans.factory.support.BeanDefinitionValueResolver.resolveReference(BeanDefinitionValueResolver.java:330) ~[?:?]
... 82 more
Caused by: org.springframework.beans.BeanInstantiationException: Failed to instantiate [org.wso2.carbon.apimgt.rest.api.util.interceptors.auth.OAuthAuthenticationInterceptor]: Constructor threw exception; nested exception is java.lang.NullPointerException: Cannot invoke "org.wso2.carbon.apimgt.impl.APIManagerConfiguration.getJwtConfigurationDto()" because "org.wso2.carbon.apimgt.rest.api.common.APIMConfigUtil.configuration" is null
at org.springframework.beans.BeanUtils.instantiateClass(BeanUtils.java:224) ~[?:?]
at org.springframework.beans.factory.support.SimpleInstantiationStrategy.instantiate(SimpleInstantiationStrategy.java:87) ~[?:?]
at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.instantiateBean(AbstractAutowireCapableBeanFactory.java:1326) ~[?:?]
at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.createBeanInstance(AbstractAutowireCapableBeanFactory.java:1232) ~[?:?]
at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.doCreateBean(AbstractAutowireCapableBeanFactory.java:582) ~[?:?]
at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.createBean(AbstractAutowireCapableBeanFactory.java:542) ~[?:?]
at org.springframework.beans.factory.support.AbstractBeanFactory.lambda$doGetBean$0(AbstractBeanFactory.java:335) ~[?:?]
at org.springframework.beans.factory.support.DefaultSingletonBeanRegistry.getSingleton(DefaultSingletonBeanRegistry.java:234) ~[?:?]
at org.springframework.beans.factory.support.AbstractBeanFactory.doGetBean(AbstractBeanFactory.java:333) ~[?:?]
at org.springframework.beans.factory.support.AbstractBeanFactory.getBean(AbstractBeanFactory.java:208) ~[?:?]
at org.springframework.beans.factory.support.BeanDefinitionValueResolver.resolveReference(BeanDefinitionValueResolver.java:330) ~[?:?]
... 82 more
Caused by: java.lang.NullPointerException: Cannot invoke "org.wso2.carbon.apimgt.impl.APIManagerConfiguration.getJwtConfigurationDto()" because "org.wso2.carbon.apimgt.rest.api.common.APIMConfigUtil.configuration" is null
at org.wso2.carbon.apimgt.rest.api.common.APIMConfigUtil.getTokenIssuerMap(APIMConfigUtil.java:45) ~[org.wso2.carbon.apimgt.rest.api.common_9.26.69.SNAPSHOT.jar:?]
at org.wso2.carbon.apimgt.rest.api.util.impl.OAuthJwtAuthenticatorImpl.getTokenIssuers(OAuthJwtAuthenticatorImpl.java:316) ~[?:?]
at org.wso2.carbon.apimgt.rest.api.util.impl.OAuthJwtAuthenticatorImpl.<init>(OAuthJwtAuthenticatorImpl.java:75) ~[?:?]
at org.wso2.carbon.apimgt.rest.api.util.interceptors.auth.OAuthAuthenticationInterceptor.<init>(OAuthAuthenticationInterceptor.java:60) ~[?:?]
at jdk.internal.reflect.NativeConstructorAccessorImpl.newInstance0(Native Method) ~[?:?]
at jdk.internal.reflect.NativeConstructorAccessorImpl.newInstance(NativeConstructorAccessorImpl.java:77) ~[?:?]
at jdk.internal.reflect.DelegatingConstructorAccessorImpl.newInstance(DelegatingConstructorAccessorImpl.java:45) ~[?:?]
at java.lang.reflect.Constructor.newInstanceWithCaller(Constructor.java:499) ~[?:?]
at java.lang.reflect.Constructor.newInstance(Constructor.java:480) ~[?:?]
at org.springframework.beans.BeanUtils.instantiateClass(BeanUtils.java:211) ~[?:?]
at org.springframework.beans.factory.support.SimpleInstantiationStrategy.instantiate(SimpleInstantiationStrategy.java:87) ~[?:?]
at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.instantiateBean(AbstractAutowireCapableBeanFactory.java:1326) ~[?:?]
at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.createBeanInstance(AbstractAutowireCapableBeanFactory.java:1232) ~[?:?]
at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.doCreateBean(AbstractAutowireCapableBeanFactory.java:582) ~[?:?]
at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.createBean(AbstractAutowireCapableBeanFactory.java:542) ~[?:?]
at org.springframework.beans.factory.support.AbstractBeanFactory.lambda$doGetBean$0(AbstractBeanFactory.java:335) ~[?:?]
at org.springframework.beans.factory.support.DefaultSingletonBeanRegistry.getSingleton(DefaultSingletonBeanRegistry.java:234) ~[?:?]
at org.springframework.beans.factory.support.AbstractBeanFactory.doGetBean(AbstractBeanFactory.java:333) ~[?:?]
at org.springframework.beans.factory.support.AbstractBeanFactory.getBean(AbstractBeanFactory.java:208) ~[?:?]
at org.springframework.beans.factory.support.BeanDefinitionValueResolver.resolveReference(BeanDefinitionValueResolver.java:330) ~[?:?]
... 82 more
```
### Steps to Reproduce
Profile optimize and start the deprecated key manager profile. (api-key-manager-deprecated)
### Affected Component
APIM
### Version
APIM 4.2.0 M1 testing pack
### Environment Details (with versions)
_No response_
### Relevant Log Output
_No response_
### Related Issues
_No response_
### Suggested Labels
_No response_ | priority | error when starting the deprecated key manager profile description the following error log gets printed when starting the deprecated key manager profile web app deployment fails info tomcatgenericwebappsdeployer deployed webapp standardengine standardhost standardcontext file error contextloader context initialization failed org springframework beans factory beancreationexception error creating bean with name cxf defined in class path resource cannot resolve reference to bean authenticationinterceptor while setting bean property ininterceptors with key nested exception is org springframework beans factory beancreationexception error creating bean with name authenticationinterceptor defined in servletcontext resource instantiation of bean failed nested exception is org springframework beans beaninstantiationexception failed to instantiate constructor threw exception nested exception is java lang nullpointerexception cannot invoke org carbon apimgt impl apimanagerconfiguration getjwtconfigurationdto because org carbon apimgt rest api common apimconfigutil configuration is null at org springframework beans factory support beandefinitionvalueresolver resolvereference beandefinitionvalueresolver java at org springframework beans factory support beandefinitionvalueresolver resolvevalueifnecessary beandefinitionvalueresolver java at org springframework beans factory support beandefinitionvalueresolver resolvemanagedlist beandefinitionvalueresolver java at org springframework beans factory support beandefinitionvalueresolver resolvevalueifnecessary beandefinitionvalueresolver java at org springframework beans factory support abstractautowirecapablebeanfactory applypropertyvalues abstractautowirecapablebeanfactory java at org springframework beans factory support abstractautowirecapablebeanfactory populatebean abstractautowirecapablebeanfactory java at org springframework beans factory support abstractautowirecapablebeanfactory docreatebean abstractautowirecapablebeanfactory java at org springframework beans factory support abstractautowirecapablebeanfactory createbean abstractautowirecapablebeanfactory java at org springframework beans factory support abstractbeanfactory lambda dogetbean abstractbeanfactory java at org springframework beans factory support defaultsingletonbeanregistry getsingleton defaultsingletonbeanregistry java at org springframework beans factory support abstractbeanfactory dogetbean abstractbeanfactory java at org springframework beans factory support abstractbeanfactory getbean abstractbeanfactory java at org springframework beans factory support defaultlistablebeanfactory preinstantiatesingletons defaultlistablebeanfactory java at org springframework context support abstractapplicationcontext finishbeanfactoryinitialization abstractapplicationcontext java at org springframework context support abstractapplicationcontext refresh abstractapplicationcontext java at org springframework web context contextloader configureandrefreshwebapplicationcontext contextloader java at org springframework web context contextloader initwebapplicationcontext contextloader java at org springframework web context contextloaderlistener contextinitialized contextloaderlistener java at org apache catalina core standardcontext listenerstart standardcontext java at org apache catalina core standardcontext startinternal standardcontext java at org apache catalina util lifecyclebase start lifecyclebase java at org apache catalina core containerbase addchildinternal containerbase java at org apache catalina core containerbase addchild containerbase java at org apache catalina core standardhost addchild standardhost java at org carbon tomcat internal carbontomcat addwebapp carbontomcat java at org carbon tomcat internal carbontomcat addwebapp carbontomcat java at org carbon webapp mgt tomcatgenericwebappsdeployer handlewebappdeployment tomcatgenericwebappsdeployer java at org carbon webapp mgt tomcatgenericwebappsdeployer handlewarwebappdeployment tomcatgenericwebappsdeployer java at org carbon webapp mgt tomcatgenericwebappsdeployer handlehotdeployment tomcatgenericwebappsdeployer java at org carbon webapp mgt tomcatgenericwebappsdeployer deploy tomcatgenericwebappsdeployer java at org carbon webapp mgt abstractwebappdeployer deploythiswebapp abstractwebappdeployer java at org carbon webapp mgt abstractwebappdeployer deploy abstractwebappdeployer java at org carbon webapp deployer webappdeployer deploy webappdeployer java at org apache deployment repository util deploymentfiledata deploy deploymentfiledata java at org apache deployment deploymentengine dodeploy deploymentengine java at org apache deployment repository util wsinfolist update wsinfolist java at org apache deployment repositorylistener update repositorylistener java at org apache deployment repositorylistener checkservices repositorylistener java at org apache deployment deploymentengine loadservices deploymentengine java at org carbon core carbonaxisconfigurator deployservices carbonaxisconfigurator java at org carbon core internal deploymentserverstartupobserver completingserverstartup deploymentserverstartupobserver java at org carbon core internal carboncoreservicecomponent notifybefore carboncoreservicecomponent java at org carbon core internal startupfinalizerservicecomponent completeinitialization startupfinalizerservicecomponent java at org carbon core internal startupfinalizerservicecomponent servicechanged startupfinalizerservicecomponent java at org eclipse osgi internal serviceregistry filteredservicelistener servicechanged filteredservicelistener java at org eclipse osgi internal framework bundlecontextimpl dispatchevent bundlecontextimpl java at org eclipse osgi framework eventmgr eventmanager dispatchevent eventmanager java at org eclipse osgi framework eventmgr listenerqueue dispatcheventsynchronous listenerqueue java at org eclipse osgi internal serviceregistry serviceregistry publishserviceeventprivileged serviceregistry java at org eclipse osgi internal serviceregistry serviceregistry publishserviceevent serviceregistry java at org eclipse osgi internal serviceregistry serviceregistrationimpl register serviceregistrationimpl java at org eclipse osgi internal serviceregistry serviceregistry registerservice serviceregistry java at org eclipse osgi internal framework bundlecontextimpl registerservice bundlecontextimpl java at org eclipse osgi internal framework bundlecontextimpl registerservice bundlecontextimpl java at org carbon throttling agent internal throttlingagentservicecomponent registerthrottlingagent throttlingagentservicecomponent java at org carbon throttling agent internal throttlingagentservicecomponent activate throttlingagentservicecomponent java at jdk internal reflect nativemethodaccessorimpl native method at jdk internal reflect nativemethodaccessorimpl invoke nativemethodaccessorimpl java at jdk internal reflect delegatingmethodaccessorimpl invoke delegatingmethodaccessorimpl java at java lang reflect method invoke method java at org eclipse equinox internal ds model servicecomponent activate servicecomponent java at org eclipse equinox internal ds model servicecomponentprop activate servicecomponentprop java at org eclipse equinox internal ds model servicecomponentprop build servicecomponentprop java at org eclipse equinox internal ds instanceprocess buildcomponent instanceprocess java at org eclipse equinox internal ds instanceprocess buildcomponents instanceprocess java at org eclipse equinox internal ds resolver geteligible resolver java at org eclipse equinox internal ds scrmanager servicechanged scrmanager java at org eclipse osgi internal serviceregistry filteredservicelistener servicechanged filteredservicelistener java at org eclipse osgi internal framework bundlecontextimpl dispatchevent bundlecontextimpl java at org eclipse osgi framework eventmgr eventmanager dispatchevent eventmanager java at org eclipse osgi framework eventmgr listenerqueue dispatcheventsynchronous listenerqueue java at org eclipse osgi internal serviceregistry serviceregistry publishserviceeventprivileged serviceregistry java at org eclipse osgi internal serviceregistry serviceregistry publishserviceevent serviceregistry java at org eclipse osgi internal serviceregistry serviceregistrationimpl register serviceregistrationimpl java at org eclipse osgi internal serviceregistry serviceregistry registerservice serviceregistry java at org eclipse osgi internal framework bundlecontextimpl registerservice bundlecontextimpl java at org eclipse osgi internal framework bundlecontextimpl registerservice bundlecontextimpl java at org carbon core init carbonservermanager initializecarbon carbonservermanager java at org carbon core init carbonservermanager removependingitem carbonservermanager java at org carbon core init bundlechanged java at org eclipse osgi internal framework bundlecontextimpl dispatchevent bundlecontextimpl java at org eclipse osgi framework eventmgr eventmanager dispatchevent eventmanager java at org eclipse osgi framework eventmgr eventmanager eventthread run eventmanager java caused by org springframework beans factory beancreationexception error creating bean with name authenticationinterceptor defined in servletcontext resource instantiation of bean failed nested exception is org springframework beans beaninstantiationexception failed to instantiate constructor threw exception nested exception is java lang nullpointerexception cannot invoke org carbon apimgt impl apimanagerconfiguration getjwtconfigurationdto because org carbon apimgt rest api common apimconfigutil configuration is null at org springframework beans factory support abstractautowirecapablebeanfactory instantiatebean abstractautowirecapablebeanfactory java at org springframework beans factory support abstractautowirecapablebeanfactory createbeaninstance abstractautowirecapablebeanfactory java at org springframework beans factory support abstractautowirecapablebeanfactory docreatebean abstractautowirecapablebeanfactory java at org springframework beans factory support abstractautowirecapablebeanfactory createbean abstractautowirecapablebeanfactory java at org springframework beans factory support abstractbeanfactory lambda dogetbean abstractbeanfactory java at org springframework beans factory support defaultsingletonbeanregistry getsingleton defaultsingletonbeanregistry java at org springframework beans factory support abstractbeanfactory dogetbean abstractbeanfactory java at org springframework beans factory support abstractbeanfactory getbean abstractbeanfactory java at org springframework beans factory support beandefinitionvalueresolver resolvereference beandefinitionvalueresolver java more caused by org springframework beans beaninstantiationexception failed to instantiate constructor threw exception nested exception is java lang nullpointerexception cannot invoke org carbon apimgt impl apimanagerconfiguration getjwtconfigurationdto because org carbon apimgt rest api common apimconfigutil configuration is null at org springframework beans beanutils instantiateclass beanutils java at org springframework beans factory support simpleinstantiationstrategy instantiate simpleinstantiationstrategy java at org springframework beans factory support abstractautowirecapablebeanfactory instantiatebean abstractautowirecapablebeanfactory java at org springframework beans factory support abstractautowirecapablebeanfactory createbeaninstance abstractautowirecapablebeanfactory java at org springframework beans factory support abstractautowirecapablebeanfactory docreatebean abstractautowirecapablebeanfactory java at org springframework beans factory support abstractautowirecapablebeanfactory createbean abstractautowirecapablebeanfactory java at org springframework beans factory support abstractbeanfactory lambda dogetbean abstractbeanfactory java at org springframework beans factory support defaultsingletonbeanregistry getsingleton defaultsingletonbeanregistry java at org springframework beans factory support abstractbeanfactory dogetbean abstractbeanfactory java at org springframework beans factory support abstractbeanfactory getbean abstractbeanfactory java at org springframework beans factory support beandefinitionvalueresolver resolvereference beandefinitionvalueresolver java more caused by java lang nullpointerexception cannot invoke org carbon apimgt impl apimanagerconfiguration getjwtconfigurationdto because org carbon apimgt rest api common apimconfigutil configuration is null at org carbon apimgt rest api common apimconfigutil gettokenissuermap apimconfigutil java at org carbon apimgt rest api util impl oauthjwtauthenticatorimpl gettokenissuers oauthjwtauthenticatorimpl java at org carbon apimgt rest api util impl oauthjwtauthenticatorimpl oauthjwtauthenticatorimpl java at org carbon apimgt rest api util interceptors auth oauthauthenticationinterceptor oauthauthenticationinterceptor java at jdk internal reflect nativeconstructoraccessorimpl native method at jdk internal reflect nativeconstructoraccessorimpl newinstance nativeconstructoraccessorimpl java at jdk internal reflect delegatingconstructoraccessorimpl newinstance delegatingconstructoraccessorimpl java at java lang reflect constructor newinstancewithcaller constructor java at java lang reflect constructor newinstance constructor java at org springframework beans beanutils instantiateclass beanutils java at org springframework beans factory support simpleinstantiationstrategy instantiate simpleinstantiationstrategy java at org springframework beans factory support abstractautowirecapablebeanfactory instantiatebean abstractautowirecapablebeanfactory java at org springframework beans factory support abstractautowirecapablebeanfactory createbeaninstance abstractautowirecapablebeanfactory java at org springframework beans factory support abstractautowirecapablebeanfactory docreatebean abstractautowirecapablebeanfactory java at org springframework beans factory support abstractautowirecapablebeanfactory createbean abstractautowirecapablebeanfactory java at org springframework beans factory support abstractbeanfactory lambda dogetbean abstractbeanfactory java at org springframework beans factory support defaultsingletonbeanregistry getsingleton defaultsingletonbeanregistry java at org springframework beans factory support abstractbeanfactory dogetbean abstractbeanfactory java at org springframework beans factory support abstractbeanfactory getbean abstractbeanfactory java at org springframework beans factory support beandefinitionvalueresolver resolvereference beandefinitionvalueresolver java more steps to reproduce profile optimize and start the deprecated key manager profile api key manager deprecated affected component apim version apim testing pack environment details with versions no response relevant log output no response related issues no response suggested labels no response | 1 |
786,585 | 27,659,481,369 | IssuesEvent | 2023-03-12 11:09:04 | moonD4rk/HackBrowserData | https://api.github.com/repos/moonD4rk/HackBrowserData | closed | fatal error: out of memory? | bug Priority: High | D:\>main.exe -b chrome -p "C:\Users\admin\AppData\Local\Google\Chrome\User Data\Default"
[[1mNOTICE[0m] [browser.go:73,pickChromium] [1mfind browser chrome_default success[0m
runtime: VirtualAlloc of 567681024 bytes failed with errno=1455
fatal error: out of memory
runtime stack:
runtime.throw({0x157d8bd?, 0xc01bc8a000?})
/usr/local/go/src/runtime/panic.go:992 +0x76
runtime.sysUsed(0xc000580000, 0x21d62000)
/usr/local/go/src/runtime/mem_windows.go:83 +0x1c9
runtime.(*mheap).allocSpan(0x183e580, 0x10eb1, 0x0, 0x1)
/usr/local/go/src/runtime/mheap.go:1279 +0x428
runtime.(*mheap).alloc.func1()
/usr/local/go/src/runtime/mheap.go:912 +0x65
runtime.systemstack()
/usr/local/go/src/runtime/asm_amd64.s:469 +0x4e
goroutine 1 [running]:
runtime.systemstack_switch()
/usr/local/go/src/runtime/asm_amd64.s:436 fp=0xc0003cb920 sp=0xc0003cb918 pc=0x1240b80
runtime.(*mheap).alloc(0x21d62000?, 0x10eb1?, 0x9?)
/usr/local/go/src/runtime/mheap.go:906 +0x65 fp=0xc0003cb968 sp=0xc0003cb920 pc=0x1206c45
runtime.(*mcache).allocLarge(0x1d8bf841344f5e9?, 0x21d60001, 0x1)
/usr/local/go/src/runtime/mcache.go:213 +0x85 fp=0xc0003cb9b8 sp=0xc0003cb968 pc=0x11f6ee5
runtime.mallocgc(0x21d60001, 0x1505040, 0x1)
/usr/local/go/src/runtime/malloc.go:1096 +0x5a5 fp=0xc0003cba30 sp=0xc0003cb9b8 pc=0x11ed625
runtime.makeslice(0xc000006098?, 0x44?, 0x0?)
/usr/local/go/src/runtime/slice.go:103 +0x52 fp=0xc0003cba58 sp=0xc0003cba30 pc=0x12299f2
os.ReadFile({0xc000121400?, 0x15f19a0?})
/usr/local/go/src/os/file.go:693 +0xeb fp=0xc0003cbb38 sp=0xc0003cba58 pc=0x1286c6b
hack-browser-data/internal/utils/fileutil.CopyFile({0xc000121400?, 0x151a200?}, {0x1577932, 0x7})
/Users/xxxskr/Downloads/HackBrowserData-0.4.4/internal/utils/fileutil/filetutil.go:99 +0x28 fp=0xc0003cbb78 sp=0xc0003cbb38 pc=0x13b25a8
hack-browser-data/internal/browser/chromium.(*chromium).copyItemToLocal(0xc000006608?)
/Users/xxxskr/Downloads/HackBrowserData-0.4.4/internal/browser/chromium/chromium.go:83 +0x147 fp=0xc0003cbc40 sp=0xc0003cbb78 pc=0x14ab187
hack-browser-data/internal/browser/chromium.(*chromium).BrowsingData(0xc0002dfb20)
/Users/xxxskr/Downloads/HackBrowserData-0.4.4/internal/browser/chromium/chromium.go:54 +0x92 fp=0xc0003cbc98 sp=0xc0003cbc40 pc=0x14aaf72
main.Execute.func1(0xc00019c240?)
/Users/xxxskr/Downloads/HackBrowserData-0.4.4/cmd/hack-browser-data/main.go:58 +0x1af fp=0xc0003cbd48 sp=0xc0003cbc98 pc=0x14de0cf
github.com/urfave/cli/v2.(*App).RunContext(0xc000145380, {0x15f44c8?, 0xc00011a098}, {0xc00014a000, 0x5, 0x8})
/Users/xxxskr/go/pkg/mod/github.com/urfave/cli/v2@v2.4.0/app.go:322 +0x953 fp=0xc0003cbed8 sp=0xc0003cbd48 pc=0x14c9993
github.com/urfave/cli/v2.(*App).Run(...)
/Users/xxxskr/go/pkg/mod/github.com/urfave/cli/v2@v2.4.0/app.go:224
main.Execute()
/Users/xxxskr/Downloads/HackBrowserData-0.4.4/cmd/hack-browser-data/main.go:73 +0x785 fp=0xc0003cbf70 sp=0xc0003cbed8 pc=0x14de925
main.main()
/Users/xxxskr/Downloads/HackBrowserData-0.4.4/cmd/hack-browser-data/main.go:24 +0x17 fp=0xc0003cbf80 sp=0xc0003cbf70 pc=0x14ddef7
runtime.main()
/usr/local/go/src/runtime/proc.go:250 +0x1fe fp=0xc0003cbfe0 sp=0xc0003cbf80 pc=0x1218b9e
runtime.goexit()
/usr/local/go/src/runtime/asm_amd64.s:1571 +0x1 fp=0xc0003cbfe8 sp=0xc0003cbfe0 pc=0x1242ee1
| 1.0 | fatal error: out of memory? - D:\>main.exe -b chrome -p "C:\Users\admin\AppData\Local\Google\Chrome\User Data\Default"
[[1mNOTICE[0m] [browser.go:73,pickChromium] [1mfind browser chrome_default success[0m
runtime: VirtualAlloc of 567681024 bytes failed with errno=1455
fatal error: out of memory
runtime stack:
runtime.throw({0x157d8bd?, 0xc01bc8a000?})
/usr/local/go/src/runtime/panic.go:992 +0x76
runtime.sysUsed(0xc000580000, 0x21d62000)
/usr/local/go/src/runtime/mem_windows.go:83 +0x1c9
runtime.(*mheap).allocSpan(0x183e580, 0x10eb1, 0x0, 0x1)
/usr/local/go/src/runtime/mheap.go:1279 +0x428
runtime.(*mheap).alloc.func1()
/usr/local/go/src/runtime/mheap.go:912 +0x65
runtime.systemstack()
/usr/local/go/src/runtime/asm_amd64.s:469 +0x4e
goroutine 1 [running]:
runtime.systemstack_switch()
/usr/local/go/src/runtime/asm_amd64.s:436 fp=0xc0003cb920 sp=0xc0003cb918 pc=0x1240b80
runtime.(*mheap).alloc(0x21d62000?, 0x10eb1?, 0x9?)
/usr/local/go/src/runtime/mheap.go:906 +0x65 fp=0xc0003cb968 sp=0xc0003cb920 pc=0x1206c45
runtime.(*mcache).allocLarge(0x1d8bf841344f5e9?, 0x21d60001, 0x1)
/usr/local/go/src/runtime/mcache.go:213 +0x85 fp=0xc0003cb9b8 sp=0xc0003cb968 pc=0x11f6ee5
runtime.mallocgc(0x21d60001, 0x1505040, 0x1)
/usr/local/go/src/runtime/malloc.go:1096 +0x5a5 fp=0xc0003cba30 sp=0xc0003cb9b8 pc=0x11ed625
runtime.makeslice(0xc000006098?, 0x44?, 0x0?)
/usr/local/go/src/runtime/slice.go:103 +0x52 fp=0xc0003cba58 sp=0xc0003cba30 pc=0x12299f2
os.ReadFile({0xc000121400?, 0x15f19a0?})
/usr/local/go/src/os/file.go:693 +0xeb fp=0xc0003cbb38 sp=0xc0003cba58 pc=0x1286c6b
hack-browser-data/internal/utils/fileutil.CopyFile({0xc000121400?, 0x151a200?}, {0x1577932, 0x7})
/Users/xxxskr/Downloads/HackBrowserData-0.4.4/internal/utils/fileutil/filetutil.go:99 +0x28 fp=0xc0003cbb78 sp=0xc0003cbb38 pc=0x13b25a8
hack-browser-data/internal/browser/chromium.(*chromium).copyItemToLocal(0xc000006608?)
/Users/xxxskr/Downloads/HackBrowserData-0.4.4/internal/browser/chromium/chromium.go:83 +0x147 fp=0xc0003cbc40 sp=0xc0003cbb78 pc=0x14ab187
hack-browser-data/internal/browser/chromium.(*chromium).BrowsingData(0xc0002dfb20)
/Users/xxxskr/Downloads/HackBrowserData-0.4.4/internal/browser/chromium/chromium.go:54 +0x92 fp=0xc0003cbc98 sp=0xc0003cbc40 pc=0x14aaf72
main.Execute.func1(0xc00019c240?)
/Users/xxxskr/Downloads/HackBrowserData-0.4.4/cmd/hack-browser-data/main.go:58 +0x1af fp=0xc0003cbd48 sp=0xc0003cbc98 pc=0x14de0cf
github.com/urfave/cli/v2.(*App).RunContext(0xc000145380, {0x15f44c8?, 0xc00011a098}, {0xc00014a000, 0x5, 0x8})
/Users/xxxskr/go/pkg/mod/github.com/urfave/cli/v2@v2.4.0/app.go:322 +0x953 fp=0xc0003cbed8 sp=0xc0003cbd48 pc=0x14c9993
github.com/urfave/cli/v2.(*App).Run(...)
/Users/xxxskr/go/pkg/mod/github.com/urfave/cli/v2@v2.4.0/app.go:224
main.Execute()
/Users/xxxskr/Downloads/HackBrowserData-0.4.4/cmd/hack-browser-data/main.go:73 +0x785 fp=0xc0003cbf70 sp=0xc0003cbed8 pc=0x14de925
main.main()
/Users/xxxskr/Downloads/HackBrowserData-0.4.4/cmd/hack-browser-data/main.go:24 +0x17 fp=0xc0003cbf80 sp=0xc0003cbf70 pc=0x14ddef7
runtime.main()
/usr/local/go/src/runtime/proc.go:250 +0x1fe fp=0xc0003cbfe0 sp=0xc0003cbf80 pc=0x1218b9e
runtime.goexit()
/usr/local/go/src/runtime/asm_amd64.s:1571 +0x1 fp=0xc0003cbfe8 sp=0xc0003cbfe0 pc=0x1242ee1
| priority | fatal error out of memory d main exe b chrome p c users admin appdata local google chrome user data default browser chrome default success runtime virtualalloc of bytes failed with errno fatal error out of memory runtime stack runtime throw usr local go src runtime panic go runtime sysused usr local go src runtime mem windows go runtime mheap allocspan usr local go src runtime mheap go runtime mheap alloc usr local go src runtime mheap go runtime systemstack usr local go src runtime asm s goroutine runtime systemstack switch usr local go src runtime asm s fp sp pc runtime mheap alloc usr local go src runtime mheap go fp sp pc runtime mcache alloclarge usr local go src runtime mcache go fp sp pc runtime mallocgc usr local go src runtime malloc go fp sp pc runtime makeslice usr local go src runtime slice go fp sp pc os readfile usr local go src os file go fp sp pc hack browser data internal utils fileutil copyfile users xxxskr downloads hackbrowserdata internal utils fileutil filetutil go fp sp pc hack browser data internal browser chromium chromium copyitemtolocal users xxxskr downloads hackbrowserdata internal browser chromium chromium go fp sp pc hack browser data internal browser chromium chromium browsingdata users xxxskr downloads hackbrowserdata internal browser chromium chromium go fp sp pc main execute users xxxskr downloads hackbrowserdata cmd hack browser data main go fp sp pc github com urfave cli app runcontext users xxxskr go pkg mod github com urfave cli app go fp sp pc github com urfave cli app run users xxxskr go pkg mod github com urfave cli app go main execute users xxxskr downloads hackbrowserdata cmd hack browser data main go fp sp pc main main users xxxskr downloads hackbrowserdata cmd hack browser data main go fp sp pc runtime main usr local go src runtime proc go fp sp pc runtime goexit usr local go src runtime asm s fp sp pc | 1 |
533,425 | 15,590,531,903 | IssuesEvent | 2021-03-18 09:28:01 | teamforus/forus | https://api.github.com/repos/teamforus/forus | reopened | Voucher generator add XLS option | Priority: Must have Urgency: High - Next release | ## Main asssignee: @aghimpu
CR: https://github.com/teamforus/general/issues/698
## Context/goal:
Currently CSV files are not loaded well into excel. The columns are not displayed. This makes the files unusable for users with less know-how to change excel import settings.
### Solution:
Voucher generator will have: CSV, PNG + CSV, PDF + CSV, XLS.
### Places
- voucher generator, csv only now -> Add 4th button to export as XLS and add XLS to the archive of first button
- prevalidation, xls only now -> Add button to export as CSV as well - `Exporteer als .XLS` `Exporteer als .CSV`
- fund requests, xls only now -> Add button to export as CSV as well - `Exporteer als .XLS` `Exporteer als .CSV`
- voucher transactions, xls only now -> Add button to export as CSV as well - `Exporteer als .XLS` `Exporteer als .CSV`
- fund provider request list, xls only now -> Add button to export as CSV as well - `Exporteer als .XLS` `Exporteer als .CSV` | 1.0 | Voucher generator add XLS option - ## Main asssignee: @aghimpu
CR: https://github.com/teamforus/general/issues/698
## Context/goal:
Currently CSV files are not loaded well into excel. The columns are not displayed. This makes the files unusable for users with less know-how to change excel import settings.
### Solution:
Voucher generator will have: CSV, PNG + CSV, PDF + CSV, XLS.
### Places
- voucher generator, csv only now -> Add 4th button to export as XLS and add XLS to the archive of first button
- prevalidation, xls only now -> Add button to export as CSV as well - `Exporteer als .XLS` `Exporteer als .CSV`
- fund requests, xls only now -> Add button to export as CSV as well - `Exporteer als .XLS` `Exporteer als .CSV`
- voucher transactions, xls only now -> Add button to export as CSV as well - `Exporteer als .XLS` `Exporteer als .CSV`
- fund provider request list, xls only now -> Add button to export as CSV as well - `Exporteer als .XLS` `Exporteer als .CSV` | priority | voucher generator add xls option main asssignee aghimpu cr context goal currently csv files are not loaded well into excel the columns are not displayed this makes the files unusable for users with less know how to change excel import settings solution voucher generator will have csv png csv pdf csv xls places voucher generator csv only now add button to export as xls and add xls to the archive of first button prevalidation xls only now add button to export as csv as well exporteer als xls exporteer als csv fund requests xls only now add button to export as csv as well exporteer als xls exporteer als csv voucher transactions xls only now add button to export as csv as well exporteer als xls exporteer als csv fund provider request list xls only now add button to export as csv as well exporteer als xls exporteer als csv | 1 |
388,921 | 11,495,090,969 | IssuesEvent | 2020-02-12 03:37:05 | Ilithor/SocMon-React-AzureCosmos | https://api.github.com/repos/Ilithor/SocMon-React-AzureCosmos | opened | [API] Add support for pagination to API | enhancement high priority | You should investigate how mongo handles pagination and add support for it on the API | 1.0 | [API] Add support for pagination to API - You should investigate how mongo handles pagination and add support for it on the API | priority | add support for pagination to api you should investigate how mongo handles pagination and add support for it on the api | 1 |
678,249 | 23,190,847,059 | IssuesEvent | 2022-08-01 12:32:26 | SAP/xsk | https://api.github.com/repos/SAP/xsk | closed | [IDE] Load large project in workspace | bug wontfix priority-medium effort-high usability customer shadow incomplete | **Describe the bug**
When a large project is available in the repository, the workspace takes a long time to load.
> What version of the XSK are you using?
0.9.3
**To Reproduce**
Steps to reproduce the behavior:
1. Create a folder with a lot of files in the repository (ie directly on the file system) - tested with a project 700MB size
2. Open XSK
3. See that workspace loads a long time
In my case it took 2 minutes to load the projects in the workspace
**Expected behavior**
Project sources are loaded on folder expand and only 1 level is expanded
| 1.0 | [IDE] Load large project in workspace - **Describe the bug**
When a large project is available in the repository, the workspace takes a long time to load.
> What version of the XSK are you using?
0.9.3
**To Reproduce**
Steps to reproduce the behavior:
1. Create a folder with a lot of files in the repository (ie directly on the file system) - tested with a project 700MB size
2. Open XSK
3. See that workspace loads a long time
In my case it took 2 minutes to load the projects in the workspace
**Expected behavior**
Project sources are loaded on folder expand and only 1 level is expanded
| priority | load large project in workspace describe the bug when a large project is available in the repository the workspace takes a long time to load what version of the xsk are you using to reproduce steps to reproduce the behavior create a folder with a lot of files in the repository ie directly on the file system tested with a project size open xsk see that workspace loads a long time in my case it took minutes to load the projects in the workspace expected behavior project sources are loaded on folder expand and only level is expanded | 1 |
679,600 | 23,239,236,653 | IssuesEvent | 2022-08-03 14:18:19 | ever-co/ever-gauzy | https://api.github.com/repos/ever-co/ever-gauzy | closed | Fix: Server Error | type: bug :bug: priority: highest | We notice some server error.
- [x] When I try to added new recurring expense (accounting/employee).
<img width="1440" alt="Screen Shot 2022-07-31 at 3 19 15 PM" src="https://user-images.githubusercontent.com/41804588/182339711-420dfaf6-43cc-4c70-b59d-929880aa2342.png">
- [x] When I open organizations settings page.
<img width="1440" alt="Screen Shot 2022-07-31 at 3 53 07 PM" src="https://user-images.githubusercontent.com/41804588/182339793-95a886e6-0f64-4d3d-bd2a-0345a3f9b15d.png">
- [x] When I open candidates/rates tab.
<img width="1440" alt="Screen Shot 2022-07-31 at 4 39 34 PM" src="https://user-images.githubusercontent.com/41804588/182339864-166101b5-203f-43be-b1b4-cd58a267aa22.png">
| 1.0 | Fix: Server Error - We notice some server error.
- [x] When I try to added new recurring expense (accounting/employee).
<img width="1440" alt="Screen Shot 2022-07-31 at 3 19 15 PM" src="https://user-images.githubusercontent.com/41804588/182339711-420dfaf6-43cc-4c70-b59d-929880aa2342.png">
- [x] When I open organizations settings page.
<img width="1440" alt="Screen Shot 2022-07-31 at 3 53 07 PM" src="https://user-images.githubusercontent.com/41804588/182339793-95a886e6-0f64-4d3d-bd2a-0345a3f9b15d.png">
- [x] When I open candidates/rates tab.
<img width="1440" alt="Screen Shot 2022-07-31 at 4 39 34 PM" src="https://user-images.githubusercontent.com/41804588/182339864-166101b5-203f-43be-b1b4-cd58a267aa22.png">
| priority | fix server error we notice some server error when i try to added new recurring expense accounting employee img width alt screen shot at pm src when i open organizations settings page img width alt screen shot at pm src when i open candidates rates tab img width alt screen shot at pm src | 1 |
329,161 | 10,012,831,971 | IssuesEvent | 2019-07-15 14:01:26 | bitshares/bitshares-ui | https://api.github.com/repos/bitshares/bitshares-ui | closed | [0.75][3.1.190618-rc2] Barter - problem with entering amount of bartering asset | [1b] User Story [3] Bug [4c] High Priority [5b] Small | **Describe the bug**
Interface elements are repaint when you try to enter the amount of bartering asset and memo field is open.
**To Reproduce**
Steps to reproduce the behavior:
1. Go to [Barter](https://staging.bitshares.org/#/barter)
2. Click on icon for adding memo field
3. Click on "Bartering asset" field
4. Try to enter any number
5. As a result, the page was refreshed and all elements returned to their original state.
**Expected behavior**
Nothing should happen
**Screenshots**

Information from console:

**Desktop:**
- Windows 7
- Chrome 71.0.3578.98
| 1.0 | [0.75][3.1.190618-rc2] Barter - problem with entering amount of bartering asset - **Describe the bug**
Interface elements are repaint when you try to enter the amount of bartering asset and memo field is open.
**To Reproduce**
Steps to reproduce the behavior:
1. Go to [Barter](https://staging.bitshares.org/#/barter)
2. Click on icon for adding memo field
3. Click on "Bartering asset" field
4. Try to enter any number
5. As a result, the page was refreshed and all elements returned to their original state.
**Expected behavior**
Nothing should happen
**Screenshots**

Information from console:

**Desktop:**
- Windows 7
- Chrome 71.0.3578.98
| priority | barter problem with entering amount of bartering asset describe the bug interface elements are repaint when you try to enter the amount of bartering asset and memo field is open to reproduce steps to reproduce the behavior go to click on icon for adding memo field click on bartering asset field try to enter any number as a result the page was refreshed and all elements returned to their original state expected behavior nothing should happen screenshots information from console desktop windows chrome | 1 |
445,318 | 12,828,951,320 | IssuesEvent | 2020-07-06 21:38:41 | gileli121/WindowTop | https://api.github.com/repos/gileli121/WindowTop | closed | Hotkeys not working when disabling WindowTop toolbar in v3.4.5 | bug fixed high-priority | As reported in #17 , the hotkeys not working when disabling WindowTop toolbar from here:

| 1.0 | Hotkeys not working when disabling WindowTop toolbar in v3.4.5 - As reported in #17 , the hotkeys not working when disabling WindowTop toolbar from here:

| priority | hotkeys not working when disabling windowtop toolbar in as reported in the hotkeys not working when disabling windowtop toolbar from here | 1 |
378,431 | 11,202,158,655 | IssuesEvent | 2020-01-04 10:09:05 | jumptrading/FluentTerminal | https://api.github.com/repos/jumptrading/FluentTerminal | closed | False validation error report | bug high-priority | Steps to reproduce:
- Open "Quick Launch" dialog
- Type the following command: `"C:\Program Files\Git\bin\bash.exe" -i -l`
- Click "OK"
You'll get error like `'"C:\Program' command not found.` Obviously the app doesn't check the whole path as a command, although it's in double quotes. | 1.0 | False validation error report - Steps to reproduce:
- Open "Quick Launch" dialog
- Type the following command: `"C:\Program Files\Git\bin\bash.exe" -i -l`
- Click "OK"
You'll get error like `'"C:\Program' command not found.` Obviously the app doesn't check the whole path as a command, although it's in double quotes. | priority | false validation error report steps to reproduce open quick launch dialog type the following command c program files git bin bash exe i l click ok you ll get error like c program command not found obviously the app doesn t check the whole path as a command although it s in double quotes | 1 |
207,297 | 7,127,052,656 | IssuesEvent | 2018-01-20 17:25:19 | Instanssi/Instanssi.org | https://api.github.com/repos/Instanssi/Instanssi.org | closed | Receipt trouble | Bug High priority | Kuitissa on oltava laissa määritelty tietosisältö:
* Elinkeinoharjoittajan nimi
* Elinkeinoharjoittajan yhteystiedot
* Elinkeinoharjoittajan y-tunnus
* Kuitin antamispäivämäärä
* Kuitin tunnistenumero
* Myytyjen tavaroiden määrä ja laji sekä palvelujen laji
* Tavaroista tai palveluista suoritettu maksu arvonlisäveroineen ja verokantoineen.
* Huomautus ALV 0% ("Alv 0%, AVL 4§")
| 1.0 | Receipt trouble - Kuitissa on oltava laissa määritelty tietosisältö:
* Elinkeinoharjoittajan nimi
* Elinkeinoharjoittajan yhteystiedot
* Elinkeinoharjoittajan y-tunnus
* Kuitin antamispäivämäärä
* Kuitin tunnistenumero
* Myytyjen tavaroiden määrä ja laji sekä palvelujen laji
* Tavaroista tai palveluista suoritettu maksu arvonlisäveroineen ja verokantoineen.
* Huomautus ALV 0% ("Alv 0%, AVL 4§")
| priority | receipt trouble kuitissa on oltava laissa määritelty tietosisältö elinkeinoharjoittajan nimi elinkeinoharjoittajan yhteystiedot elinkeinoharjoittajan y tunnus kuitin antamispäivämäärä kuitin tunnistenumero myytyjen tavaroiden määrä ja laji sekä palvelujen laji tavaroista tai palveluista suoritettu maksu arvonlisäveroineen ja verokantoineen huomautus alv alv avl § | 1 |
626,940 | 19,847,778,040 | IssuesEvent | 2022-01-21 08:52:01 | SAP/xsk | https://api.github.com/repos/SAP/xsk | closed | [Migration] Move hdbtablefunction in HDI container | core priority-high effort-high customer | ### Target
1. Change suffix from `hdbtablefunction` to `hdbfunction`
2. Remove schema prefix - Since in HDI Containers you do not have schema, you don't have to specify schema when you specify artefacts you need to remove all schema prefixes from the hdbtablefunction (from the table function name and all object references in _FROM_, _JOIN_ statements).
3. Remove reference to `_SYS_BIC` - When you refer to a calculation view in HANA 1/2 from `hdbtablefunction` you use someting like` "_SYS_BIC"."MY_PACKAGE_NAME.VIEWS/MY_CALCULATION_VIEW"`. However, this is not the case when you have a `hdbfunction` in HDI container, here you need to use only the calculation view id - `MY_CALCULATION_VIEW`.
4. Change format of other calculationviews that are referenced in the SQL
For example
`SELECT * FROM "SCHEMA"."package.folder/view_name"` should become `SELECT * FROM view_name`
`JOIN "SCHEMA"."package.folder/view_name"` should become `JOIN view_name`
5. Add the full path to the `hdbfunction` to the `deploy` field in the `.hdi` file | 1.0 | [Migration] Move hdbtablefunction in HDI container - ### Target
1. Change suffix from `hdbtablefunction` to `hdbfunction`
2. Remove schema prefix - Since in HDI Containers you do not have schema, you don't have to specify schema when you specify artefacts you need to remove all schema prefixes from the hdbtablefunction (from the table function name and all object references in _FROM_, _JOIN_ statements).
3. Remove reference to `_SYS_BIC` - When you refer to a calculation view in HANA 1/2 from `hdbtablefunction` you use someting like` "_SYS_BIC"."MY_PACKAGE_NAME.VIEWS/MY_CALCULATION_VIEW"`. However, this is not the case when you have a `hdbfunction` in HDI container, here you need to use only the calculation view id - `MY_CALCULATION_VIEW`.
4. Change format of other calculationviews that are referenced in the SQL
For example
`SELECT * FROM "SCHEMA"."package.folder/view_name"` should become `SELECT * FROM view_name`
`JOIN "SCHEMA"."package.folder/view_name"` should become `JOIN view_name`
5. Add the full path to the `hdbfunction` to the `deploy` field in the `.hdi` file | priority | move hdbtablefunction in hdi container target change suffix from hdbtablefunction to hdbfunction remove schema prefix since in hdi containers you do not have schema you don t have to specify schema when you specify artefacts you need to remove all schema prefixes from the hdbtablefunction from the table function name and all object references in from join statements remove reference to sys bic when you refer to a calculation view in hana from hdbtablefunction you use someting like sys bic my package name views my calculation view however this is not the case when you have a hdbfunction in hdi container here you need to use only the calculation view id my calculation view change format of other calculationviews that are referenced in the sql for example select from schema package folder view name should become select from view name join schema package folder view name should become join view name add the full path to the hdbfunction to the deploy field in the hdi file | 1 |
259,062 | 8,183,016,096 | IssuesEvent | 2018-08-29 07:43:12 | luoto/chingu-frontend | https://api.github.com/repos/luoto/chingu-frontend | closed | error modal bug | bug high priority | Child of #145
if the error message is too long, the page doesn't scroll because its been fixed in place. need to fix so taht users can scroll to hit the back button | 1.0 | error modal bug - Child of #145
if the error message is too long, the page doesn't scroll because its been fixed in place. need to fix so taht users can scroll to hit the back button | priority | error modal bug child of if the error message is too long the page doesn t scroll because its been fixed in place need to fix so taht users can scroll to hit the back button | 1 |
807,099 | 29,950,444,435 | IssuesEvent | 2023-06-23 00:12:06 | dbt-labs/docs.getdbt.com | https://api.github.com/repos/dbt-labs/docs.getdbt.com | closed | Missing node selection methods | content improvement priority: high size: x-small | ### Contributions
- [X] I have read the contribution docs, and understand what's expected of me.
### Link to the page on docs.getdbt.com requiring updates
https://docs.getdbt.com/reference/node-selection/methods
### What part(s) of the page would you like to see updated?
[These](https://github.com/dbt-labs/dbt-core/blob/39e0c22353d2230fe1bc8b4852bbb0afa27fd2c0/core/dbt/graph/selector_methods.py#L37-L55) are the methods that are currently supported.
Out of these, nearly all of them are documented. Here are the ones that are missing:
- The `resource_type` method (and example)
- The `wildcard` method (and example)
- Example that includes the `file:` method
### Additional information
_No response_ | 1.0 | Missing node selection methods - ### Contributions
- [X] I have read the contribution docs, and understand what's expected of me.
### Link to the page on docs.getdbt.com requiring updates
https://docs.getdbt.com/reference/node-selection/methods
### What part(s) of the page would you like to see updated?
[These](https://github.com/dbt-labs/dbt-core/blob/39e0c22353d2230fe1bc8b4852bbb0afa27fd2c0/core/dbt/graph/selector_methods.py#L37-L55) are the methods that are currently supported.
Out of these, nearly all of them are documented. Here are the ones that are missing:
- The `resource_type` method (and example)
- The `wildcard` method (and example)
- Example that includes the `file:` method
### Additional information
_No response_ | priority | missing node selection methods contributions i have read the contribution docs and understand what s expected of me link to the page on docs getdbt com requiring updates what part s of the page would you like to see updated are the methods that are currently supported out of these nearly all of them are documented here are the ones that are missing the resource type method and example the wildcard method and example example that includes the file method additional information no response | 1 |
656,867 | 21,778,654,896 | IssuesEvent | 2022-05-13 16:13:07 | 1Testingprouser1/marketplace | https://api.github.com/repos/1Testingprouser1/marketplace | reopened | Please Spelling is incorrect in "Pleasse enter valid email id." error message. | bug High Priority High Severity | Commit Id :- 05631b43f0e482da172caeafd401ba9932081867
Version :- 1.0.0
Steps to reproduce / Test Steps :-
1. Open the given URL
2. Go to the login screen.
3. Enter invalid email id.
4. Click on login button and check.
Test Data :- mayank@hsdh
Expected Result :- It should show "Please enter valid email id."
Actual Result :- It is showing "Pleasse enter valid email id."
Attachment :- Attach the link of the image or video.
| 1.0 | Please Spelling is incorrect in "Pleasse enter valid email id." error message. - Commit Id :- 05631b43f0e482da172caeafd401ba9932081867
Version :- 1.0.0
Steps to reproduce / Test Steps :-
1. Open the given URL
2. Go to the login screen.
3. Enter invalid email id.
4. Click on login button and check.
Test Data :- mayank@hsdh
Expected Result :- It should show "Please enter valid email id."
Actual Result :- It is showing "Pleasse enter valid email id."
Attachment :- Attach the link of the image or video.
| priority | please spelling is incorrect in pleasse enter valid email id error message commit id version steps to reproduce test steps open the given url go to the login screen enter invalid email id click on login button and check test data mayank hsdh expected result it should show please enter valid email id actual result it is showing pleasse enter valid email id attachment attach the link of the image or video | 1 |
272,238 | 8,506,463,017 | IssuesEvent | 2018-10-30 16:37:44 | CS2113-AY1819S1-W13-1/main | https://api.github.com/repos/CS2113-AY1819S1-W13-1/main | closed | v1.3 Task List (Nian Fei) | priority.high type.task | Features
- [ ] Implement storage of timetables - to be handled by @alexiscatnip
- [x] Create deconflicted timetable
- [x] Display deconflicted timetable
- [ ] Integration with select more than 1 feature - scapped
- [ ] Allow timeslots that do not start and end exactly on the hour - moved to v1.4
Testing
- [x] Create unit tests for deconflict command
- [ ] Re-implement broken storage unit & integration tests - to be handled by @alexiscatnip
- [ ] Try to re-implement ~add and~ find system tests, abandon if deemed unfeasible (`add` is slated to be removed by v1.4)
Aesthetics
- [x] Create .css stylesheets for timeslots - changed implementation
- [x] Create separate colour scheme for deconflicted timetables | 1.0 | v1.3 Task List (Nian Fei) - Features
- [ ] Implement storage of timetables - to be handled by @alexiscatnip
- [x] Create deconflicted timetable
- [x] Display deconflicted timetable
- [ ] Integration with select more than 1 feature - scapped
- [ ] Allow timeslots that do not start and end exactly on the hour - moved to v1.4
Testing
- [x] Create unit tests for deconflict command
- [ ] Re-implement broken storage unit & integration tests - to be handled by @alexiscatnip
- [ ] Try to re-implement ~add and~ find system tests, abandon if deemed unfeasible (`add` is slated to be removed by v1.4)
Aesthetics
- [x] Create .css stylesheets for timeslots - changed implementation
- [x] Create separate colour scheme for deconflicted timetables | priority | task list nian fei features implement storage of timetables to be handled by alexiscatnip create deconflicted timetable display deconflicted timetable integration with select more than feature scapped allow timeslots that do not start and end exactly on the hour moved to testing create unit tests for deconflict command re implement broken storage unit integration tests to be handled by alexiscatnip try to re implement add and find system tests abandon if deemed unfeasible add is slated to be removed by aesthetics create css stylesheets for timeslots changed implementation create separate colour scheme for deconflicted timetables | 1 |
30,862 | 2,726,314,092 | IssuesEvent | 2015-04-15 09:30:32 | Kunstmaan/KunstmaanBundlesCMS | https://api.github.com/repos/Kunstmaan/KunstmaanBundlesCMS | closed | [GeneratorBundle] Remove livereload link in styleguide when deploying | Priority: High Profile: Frontend Target audience: Developers Type: Bugfix | Idea: instead of placing hardcoded link in the _header.html, we could use gulp to inject the live-reload script with the other scripts, only on dev. | 1.0 | [GeneratorBundle] Remove livereload link in styleguide when deploying - Idea: instead of placing hardcoded link in the _header.html, we could use gulp to inject the live-reload script with the other scripts, only on dev. | priority | remove livereload link in styleguide when deploying idea instead of placing hardcoded link in the header html we could use gulp to inject the live reload script with the other scripts only on dev | 1 |
653,143 | 21,573,332,751 | IssuesEvent | 2022-05-02 10:59:29 | horizon-efrei/HorizonWeb | https://api.github.com/repos/horizon-efrei/HorizonWeb | opened | ⚙️🖥 Ajout des évènements d'associations | difficulty: medium priority: high status: approved type: enhancement type: feature status: unconfirmed target: backend target: frontend scope: clubs | ### Pour quelle partie de l'infrastructure souhaitez-vous proposer une suggestion ?
Site Web, API
### Votre idée
Ajouter des évènements aux associations, les laisser en créer de nouveaux, les modifier, les supprimer, voir la liste.
Un évènement doit avoir les propriétés suivantes :
- `start`: Date de début
- `end` Date de fin
- `shortDescription`: Description courte (expliquer en 2 mots le principe de l'event)
- `longDescription`: Description longue (expliquer en détail comment y participer, le déroulement...)
- `price`: Prix (obligatoire, mais peut être de 0€)
- `createdBy`: Créé par X
- `team`: Association qui organise l'event
- `place`: Lieu ou l'event se déroule (string)
- `meetingPoint`: Lieu de rendez-vous (string, obligatoire, même que `place` si besoin) (mettre en + gros le jour de l'event ?)
- `supervisor?`: Personne en charge
- `private`: S'il est privé (réserve aux membres de l'assos)
- `preconditions?`: Dispositions particulières (s'il faut ramener un repas, un costume, une pièce d'identité..., s'il faut être majeur, s'il y'a des conditions particulières à remplir pour venir) (mettre en avant dans l'UI, un genre de warning)
- `questionFallback?`: (string) que faire si on a des questions ("contacter X sur discord", "contacter X sur insta", aller sur ce site, appeler X, venir nous voir en salle X...)
À réfléchir pour plus tard :
- Évènement cross-assos
- "Exprimer son intérêt/s'inscrire" à un évènement ? rien d'engageant, mais pour que l'assos ait une idée du nb de personnes intéressées, ou pour que la personne ait des rappels
### Autre contexte
_No response_ | 1.0 | ⚙️🖥 Ajout des évènements d'associations - ### Pour quelle partie de l'infrastructure souhaitez-vous proposer une suggestion ?
Site Web, API
### Votre idée
Ajouter des évènements aux associations, les laisser en créer de nouveaux, les modifier, les supprimer, voir la liste.
Un évènement doit avoir les propriétés suivantes :
- `start`: Date de début
- `end` Date de fin
- `shortDescription`: Description courte (expliquer en 2 mots le principe de l'event)
- `longDescription`: Description longue (expliquer en détail comment y participer, le déroulement...)
- `price`: Prix (obligatoire, mais peut être de 0€)
- `createdBy`: Créé par X
- `team`: Association qui organise l'event
- `place`: Lieu ou l'event se déroule (string)
- `meetingPoint`: Lieu de rendez-vous (string, obligatoire, même que `place` si besoin) (mettre en + gros le jour de l'event ?)
- `supervisor?`: Personne en charge
- `private`: S'il est privé (réserve aux membres de l'assos)
- `preconditions?`: Dispositions particulières (s'il faut ramener un repas, un costume, une pièce d'identité..., s'il faut être majeur, s'il y'a des conditions particulières à remplir pour venir) (mettre en avant dans l'UI, un genre de warning)
- `questionFallback?`: (string) que faire si on a des questions ("contacter X sur discord", "contacter X sur insta", aller sur ce site, appeler X, venir nous voir en salle X...)
À réfléchir pour plus tard :
- Évènement cross-assos
- "Exprimer son intérêt/s'inscrire" à un évènement ? rien d'engageant, mais pour que l'assos ait une idée du nb de personnes intéressées, ou pour que la personne ait des rappels
### Autre contexte
_No response_ | priority | ⚙️🖥 ajout des évènements d associations pour quelle partie de l infrastructure souhaitez vous proposer une suggestion site web api votre idée ajouter des évènements aux associations les laisser en créer de nouveaux les modifier les supprimer voir la liste un évènement doit avoir les propriétés suivantes start date de début end date de fin shortdescription description courte expliquer en mots le principe de l event longdescription description longue expliquer en détail comment y participer le déroulement price prix obligatoire mais peut être de € createdby créé par x team association qui organise l event place lieu ou l event se déroule string meetingpoint lieu de rendez vous string obligatoire même que place si besoin mettre en gros le jour de l event supervisor personne en charge private s il est privé réserve aux membres de l assos preconditions dispositions particulières s il faut ramener un repas un costume une pièce d identité s il faut être majeur s il y a des conditions particulières à remplir pour venir mettre en avant dans l ui un genre de warning questionfallback string que faire si on a des questions contacter x sur discord contacter x sur insta aller sur ce site appeler x venir nous voir en salle x à réfléchir pour plus tard évènement cross assos exprimer son intérêt s inscrire à un évènement rien d engageant mais pour que l assos ait une idée du nb de personnes intéressées ou pour que la personne ait des rappels autre contexte no response | 1 |
614,082 | 19,141,983,044 | IssuesEvent | 2021-12-02 00:35:16 | krzypecu/DiscordPython-Bot | https://api.github.com/repos/krzypecu/DiscordPython-Bot | closed | Permission system based on "on_reaction" feature | Feture Requested Priority: High | **Describe the solution you'd like**
Handle users based on reaction the post under selected message ID. Give role permissions/unlock channels/add colors. | 1.0 | Permission system based on "on_reaction" feature - **Describe the solution you'd like**
Handle users based on reaction the post under selected message ID. Give role permissions/unlock channels/add colors. | priority | permission system based on on reaction feature describe the solution you d like handle users based on reaction the post under selected message id give role permissions unlock channels add colors | 1 |
101,481 | 4,118,747,659 | IssuesEvent | 2016-06-08 12:45:19 | agda/agda | https://api.github.com/repos/agda/agda | closed | Internal error, possibly related to instances | bug instance priority-high | ```agda
data _≡_ {A : Set} (x : A) : A → Set where
refl : x ≡ x
record R₁ (F : Set → Set) : Set₁ where
field
f₁ : ∀ {A} → A → F A
open R₁ ⦃ … ⦄
record R₂ (F : Set → Set) : Set₁ where
field
instance
r₁ : R₁ F
record R₃ (_ : Set) : Set where
postulate
instance
r₃ : R₂ R₃
A : Set
a : A
record R₄ : Set where
constructor c
field
f₂ : A
postulate
F : (r₄ : R₄) → c a ≡ r₄ → Set
G : Set → Set
G _ = F _ (refl {x = f₁ a})
-- An internal error has occurred. Please report this as a bug.
-- Location of the error: src/full/Agda/TypeChecking/Records.hs:479
``` | 1.0 | Internal error, possibly related to instances - ```agda
data _≡_ {A : Set} (x : A) : A → Set where
refl : x ≡ x
record R₁ (F : Set → Set) : Set₁ where
field
f₁ : ∀ {A} → A → F A
open R₁ ⦃ … ⦄
record R₂ (F : Set → Set) : Set₁ where
field
instance
r₁ : R₁ F
record R₃ (_ : Set) : Set where
postulate
instance
r₃ : R₂ R₃
A : Set
a : A
record R₄ : Set where
constructor c
field
f₂ : A
postulate
F : (r₄ : R₄) → c a ≡ r₄ → Set
G : Set → Set
G _ = F _ (refl {x = f₁ a})
-- An internal error has occurred. Please report this as a bug.
-- Location of the error: src/full/Agda/TypeChecking/Records.hs:479
``` | priority | internal error possibly related to instances agda data ≡ a set x a a → set where refl x ≡ x record r₁ f set → set set₁ where field f₁ ∀ a → a → f a open r₁ ⦃ … ⦄ record r₂ f set → set set₁ where field instance r₁ r₁ f record r₃ set set where postulate instance r₃ r₂ r₃ a set a a record r₄ set where constructor c field f₂ a postulate f r₄ r₄ → c a ≡ r₄ → set g set → set g f refl x f₁ a an internal error has occurred please report this as a bug location of the error src full agda typechecking records hs | 1 |
33,559 | 2,769,843,759 | IssuesEvent | 2015-05-01 07:24:43 | Razish/xsngine | https://api.github.com/repos/Razish/xsngine | closed | Key event chain | high priority request | Input event -> keystate management -> console catcher -> game catcher -> key binds | 1.0 | Key event chain - Input event -> keystate management -> console catcher -> game catcher -> key binds | priority | key event chain input event keystate management console catcher game catcher key binds | 1 |
728,824 | 25,094,412,449 | IssuesEvent | 2022-11-08 09:09:41 | darktable-org/darktable | https://api.github.com/repos/darktable-org/darktable | closed | Styles with multiple instances of disabled modules no longer work | priority: high bug: pending | **Introduction**
I create styles with computationally intensive modules (i.e. diffuse or sharpen) turned off so that editing is responsive. After I'm finished with the edits, I enable the rest of the modules and then make any final adjustments.
**Describe the bug/issue**
I use 4 instances of diffuse or sharpen. Every image uses 2 instances and the other 2 instances may be enabled depending on the image. Now when I apply the style, only 1 instance of diffuse or sharpen appears.
**To Reproduce**
1. Check out d0d0369f45d3f103d0c14c6b4c1278c70dd4a001 and build
2. Import the attached style
3. Apply the style to an image
4. In darkroom look at the modules list and notice the 4 instances of diffuse or sharpen and where they are in the pipeline.
5. Checkout 0a7af3ce51f3220ca1e341e21b507106f0441952 and build.
6. Apply the style to another image, then open in darkroom and notice only one instance of diffuse or sharpen and it's in the wrong place int the pipe.
**Expected behavior**
Step 4 above.
**Screenshots**
_(if applicable)_
**Screencast**
_(if applicable)_
**Which commit introduced the error**
0a7af3ce51f3220ca1e341e21b507106f0441952
Here's the style to test with
[starting_point_dtstyle.zip](https://github.com/darktable-org/darktable/files/9955506/starting_point_dtstyle.zip)
| 1.0 | Styles with multiple instances of disabled modules no longer work - **Introduction**
I create styles with computationally intensive modules (i.e. diffuse or sharpen) turned off so that editing is responsive. After I'm finished with the edits, I enable the rest of the modules and then make any final adjustments.
**Describe the bug/issue**
I use 4 instances of diffuse or sharpen. Every image uses 2 instances and the other 2 instances may be enabled depending on the image. Now when I apply the style, only 1 instance of diffuse or sharpen appears.
**To Reproduce**
1. Check out d0d0369f45d3f103d0c14c6b4c1278c70dd4a001 and build
2. Import the attached style
3. Apply the style to an image
4. In darkroom look at the modules list and notice the 4 instances of diffuse or sharpen and where they are in the pipeline.
5. Checkout 0a7af3ce51f3220ca1e341e21b507106f0441952 and build.
6. Apply the style to another image, then open in darkroom and notice only one instance of diffuse or sharpen and it's in the wrong place int the pipe.
**Expected behavior**
Step 4 above.
**Screenshots**
_(if applicable)_
**Screencast**
_(if applicable)_
**Which commit introduced the error**
0a7af3ce51f3220ca1e341e21b507106f0441952
Here's the style to test with
[starting_point_dtstyle.zip](https://github.com/darktable-org/darktable/files/9955506/starting_point_dtstyle.zip)
| priority | styles with multiple instances of disabled modules no longer work introduction i create styles with computationally intensive modules i e diffuse or sharpen turned off so that editing is responsive after i m finished with the edits i enable the rest of the modules and then make any final adjustments describe the bug issue i use instances of diffuse or sharpen every image uses instances and the other instances may be enabled depending on the image now when i apply the style only instance of diffuse or sharpen appears to reproduce check out and build import the attached style apply the style to an image in darkroom look at the modules list and notice the instances of diffuse or sharpen and where they are in the pipeline checkout and build apply the style to another image then open in darkroom and notice only one instance of diffuse or sharpen and it s in the wrong place int the pipe expected behavior step above screenshots if applicable screencast if applicable which commit introduced the error here s the style to test with | 1 |
203,651 | 7,068,229,487 | IssuesEvent | 2018-01-08 07:05:19 | bitshares/bitshares-ui | https://api.github.com/repos/bitshares/bitshares-ui | reopened | [10.5][startailcoon] Deposit Modal | feature high priority | This too is a significant departure from where we've are now. There are far fewer words. It's greatly simplified.
## Notes
- [ ] Entering the symbol first is more intuitive than entering the gateway first. People know which symbol they want to deposit. Since we will have multiple gateways, we can parse down the eligible gateways after knowing which symbol they plan to deposit.
- [ ] Gateways will be a dropdown list containing only gateways capable of sending the chosen symbol.
- [ ] The help icon should open a browser tab to the support site for the specific gateway entered.
## Successful address creation and barcode generation

## Failure mode
- [ ] Service gateway down indicates that we cannot contact the gateway at all.
- [ ] Unable to generate address could occur for a given symbol even if the gateway is online.
- [ ] Show all symbols in the dropdown list whether they are active or not.
- [ ] Keep modal height/width fixed regardless

| 1.0 | [10.5][startailcoon] Deposit Modal - This too is a significant departure from where we've are now. There are far fewer words. It's greatly simplified.
## Notes
- [ ] Entering the symbol first is more intuitive than entering the gateway first. People know which symbol they want to deposit. Since we will have multiple gateways, we can parse down the eligible gateways after knowing which symbol they plan to deposit.
- [ ] Gateways will be a dropdown list containing only gateways capable of sending the chosen symbol.
- [ ] The help icon should open a browser tab to the support site for the specific gateway entered.
## Successful address creation and barcode generation

## Failure mode
- [ ] Service gateway down indicates that we cannot contact the gateway at all.
- [ ] Unable to generate address could occur for a given symbol even if the gateway is online.
- [ ] Show all symbols in the dropdown list whether they are active or not.
- [ ] Keep modal height/width fixed regardless

| priority | deposit modal this too is a significant departure from where we ve are now there are far fewer words it s greatly simplified notes entering the symbol first is more intuitive than entering the gateway first people know which symbol they want to deposit since we will have multiple gateways we can parse down the eligible gateways after knowing which symbol they plan to deposit gateways will be a dropdown list containing only gateways capable of sending the chosen symbol the help icon should open a browser tab to the support site for the specific gateway entered successful address creation and barcode generation failure mode service gateway down indicates that we cannot contact the gateway at all unable to generate address could occur for a given symbol even if the gateway is online show all symbols in the dropdown list whether they are active or not keep modal height width fixed regardless | 1 |
754,195 | 26,375,102,400 | IssuesEvent | 2023-01-12 01:18:33 | SuddenDevelopment/StopMotion | https://api.github.com/repos/SuddenDevelopment/StopMotion | closed | Remove key incorrect behavior | Priority High | Deletes the current key that the timeline cursor is on and then pulls the keys from right to left _(the existing pull behavior)._ | 1.0 | Remove key incorrect behavior - Deletes the current key that the timeline cursor is on and then pulls the keys from right to left _(the existing pull behavior)._ | priority | remove key incorrect behavior deletes the current key that the timeline cursor is on and then pulls the keys from right to left the existing pull behavior | 1 |
372,278 | 11,012,138,010 | IssuesEvent | 2019-12-04 17:37:13 | zephyrproject-rtos/infrastructure | https://api.github.com/repos/zephyrproject-rtos/infrastructure | opened | Zephyr Website: Community Guidelines should be recombined into a single tab | Blocker area: Website priority: high | In the original the Community Guidelines was one section. This has been split into two sections. This should be recombined.
The "Read Before Contributing" should be a title followed by the "Important:..." text. And move it to before the overview bullets. | 1.0 | Zephyr Website: Community Guidelines should be recombined into a single tab - In the original the Community Guidelines was one section. This has been split into two sections. This should be recombined.
The "Read Before Contributing" should be a title followed by the "Important:..." text. And move it to before the overview bullets. | priority | zephyr website community guidelines should be recombined into a single tab in the original the community guidelines was one section this has been split into two sections this should be recombined the read before contributing should be a title followed by the important text and move it to before the overview bullets | 1 |
237,025 | 7,755,087,701 | IssuesEvent | 2018-05-31 09:04:13 | rucio/rucio | https://api.github.com/repos/rucio/rucio | opened | rucio mover should correctly set trace parameters | Clients Priority: High | Motivation
----------
The rucio mover does not correctly send traces by not reporting the actual usrdn, pandaid, etc.
Modification
------------
Use the CLI parameters provided by the rucio clients:
`--trace_appid, --trace_dataset, --trace_datasetscope, --trace_eventtype, --trace_pq, --trace_taskid, --trace_usrdn` | 1.0 | rucio mover should correctly set trace parameters - Motivation
----------
The rucio mover does not correctly send traces by not reporting the actual usrdn, pandaid, etc.
Modification
------------
Use the CLI parameters provided by the rucio clients:
`--trace_appid, --trace_dataset, --trace_datasetscope, --trace_eventtype, --trace_pq, --trace_taskid, --trace_usrdn` | priority | rucio mover should correctly set trace parameters motivation the rucio mover does not correctly send traces by not reporting the actual usrdn pandaid etc modification use the cli parameters provided by the rucio clients trace appid trace dataset trace datasetscope trace eventtype trace pq trace taskid trace usrdn | 1 |
552,284 | 16,236,845,211 | IssuesEvent | 2021-05-07 02:33:25 | ballerina-platform/ballerina-lang | https://api.github.com/repos/ballerina-platform/ballerina-lang | closed | Providing language server completion Item for RangeExpressions | Area/Completion Priority/High SwanLakeDump Team/LanguageServer Type/Improvement | **Description:**
<!-- Give a brief description of the improvement -->
Currently there is no `foreach` completion item with `range expression`. Only the following is suggested as a `foreach` completion item when the `cursor` is in a BlockNodeContext.
```ballerina
foreach var item in itemList {
}
```
The expected completion item would be of the following structure
```ballerina
foreach int i in 0...9 {
}
```
| 1.0 | Providing language server completion Item for RangeExpressions - **Description:**
<!-- Give a brief description of the improvement -->
Currently there is no `foreach` completion item with `range expression`. Only the following is suggested as a `foreach` completion item when the `cursor` is in a BlockNodeContext.
```ballerina
foreach var item in itemList {
}
```
The expected completion item would be of the following structure
```ballerina
foreach int i in 0...9 {
}
```
| priority | providing language server completion item for rangeexpressions description currently there is no foreach completion item with range expression only the following is suggested as a foreach completion item when the cursor is in a blocknodecontext ballerina foreach var item in itemlist the expected completion item would be of the following structure ballerina foreach int i in | 1 |
227,947 | 7,544,632,873 | IssuesEvent | 2018-04-17 19:02:38 | StrangeLoopGames/EcoIssues | https://api.github.com/repos/StrangeLoopGames/EcoIssues | closed | Player cant open 7.2 save game in 7.3 | High Priority | https://drive.google.com/drive/u/1/folders/13B5CWT2BwxvcX2385YqyQPPJbgM6XNCS
bernas.eco/db
"I'm having problems opening my save that I created in update 7.2. in the Eco for steam and I have always played in it having arrived at the 6 days of game in this world but yesterday 29/03/2018 was released the update 7.3. from Eco to Steam and updated the game. After the game has updated I opened the game I wanted to play in my old save and it tries to open it but then when trying to open it gives the error of connection failed. Can you help me please I have a lot of game time in this save and would like to continue playing the same."
| 1.0 | Player cant open 7.2 save game in 7.3 - https://drive.google.com/drive/u/1/folders/13B5CWT2BwxvcX2385YqyQPPJbgM6XNCS
bernas.eco/db
"I'm having problems opening my save that I created in update 7.2. in the Eco for steam and I have always played in it having arrived at the 6 days of game in this world but yesterday 29/03/2018 was released the update 7.3. from Eco to Steam and updated the game. After the game has updated I opened the game I wanted to play in my old save and it tries to open it but then when trying to open it gives the error of connection failed. Can you help me please I have a lot of game time in this save and would like to continue playing the same."
| priority | player cant open save game in bernas eco db i m having problems opening my save that i created in update in the eco for steam and i have always played in it having arrived at the days of game in this world but yesterday was released the update from eco to steam and updated the game after the game has updated i opened the game i wanted to play in my old save and it tries to open it but then when trying to open it gives the error of connection failed can you help me please i have a lot of game time in this save and would like to continue playing the same | 1 |
799,693 | 28,311,996,638 | IssuesEvent | 2023-04-10 16:12:12 | notofonts/symbols | https://api.github.com/repos/notofonts/symbols | closed | NotoSansSymbols-Regular is not monospaced | S: Symbols in-evaluation Android Priority-High Script-Monospace | On Android up to KitKat, DroidSansFallback.ttf supplied Box Drawing characters and various other graphic characters. These were aligned with DroidSansMono. On Android Lollipop and Marshmallow the Box Drawing characters and other graphics ranges have been removed from DroidSansFallback and NotoSansSymbols-Regular has been used instead. However, since NotoSansSymbols-Regular is not monospaced, monospaced displays using these graphics characters are completely jumbled and misaligned.
First noted here http://stackoverflow.com/questions/33226826/nexus-5-monospace-font-has-different-width-for-unicode-circles
The Box Drawing characters are quite broken now, because of the leading in their definitions they don't actually connect to draw complete boxes, there are major gaps and misalignments between each component.
| 1.0 | NotoSansSymbols-Regular is not monospaced - On Android up to KitKat, DroidSansFallback.ttf supplied Box Drawing characters and various other graphic characters. These were aligned with DroidSansMono. On Android Lollipop and Marshmallow the Box Drawing characters and other graphics ranges have been removed from DroidSansFallback and NotoSansSymbols-Regular has been used instead. However, since NotoSansSymbols-Regular is not monospaced, monospaced displays using these graphics characters are completely jumbled and misaligned.
First noted here http://stackoverflow.com/questions/33226826/nexus-5-monospace-font-has-different-width-for-unicode-circles
The Box Drawing characters are quite broken now, because of the leading in their definitions they don't actually connect to draw complete boxes, there are major gaps and misalignments between each component.
| priority | notosanssymbols regular is not monospaced on android up to kitkat droidsansfallback ttf supplied box drawing characters and various other graphic characters these were aligned with droidsansmono on android lollipop and marshmallow the box drawing characters and other graphics ranges have been removed from droidsansfallback and notosanssymbols regular has been used instead however since notosanssymbols regular is not monospaced monospaced displays using these graphics characters are completely jumbled and misaligned first noted here the box drawing characters are quite broken now because of the leading in their definitions they don t actually connect to draw complete boxes there are major gaps and misalignments between each component | 1 |
401,034 | 11,784,357,184 | IssuesEvent | 2020-03-17 08:10:58 | AY1920S2-CS2103-W15-2/main | https://api.github.com/repos/AY1920S2-CS2103-W15-2/main | closed | [MUST] As an interviewer, I would like to come up with the interview attributes to rate the interviewees, so that that the interview process will be smoother. | priority.High type.Story | Attributes refers to a particular quality of the interviewee that the interviewer will be interested in. | 1.0 | [MUST] As an interviewer, I would like to come up with the interview attributes to rate the interviewees, so that that the interview process will be smoother. - Attributes refers to a particular quality of the interviewee that the interviewer will be interested in. | priority | as an interviewer i would like to come up with the interview attributes to rate the interviewees so that that the interview process will be smoother attributes refers to a particular quality of the interviewee that the interviewer will be interested in | 1 |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.