id
stringlengths
4
10
text
stringlengths
4
2.14M
source
stringclasses
2 values
created
timestamp[s]date
2001-05-16 21:05:09
2025-01-01 03:38:30
added
stringdate
2025-04-01 04:05:38
2025-04-01 07:14:06
metadata
dict
430063044
Smoke Framework 1.0 released 推荐收录 链接 https://forums.swift.org/t/smoke-framework-1/22710 理由 Amazon 之前开源的 Web 应用框架 Smoke 发布 1.0 了,围绕着 AWS 的服务做了很多深度集成。 Smoke Framework 1.0 released @享耳先森:Amazon 之前开源的 Swift Web Framework 发布 1.0 了,围绕着 AWS 的服务做了很多深度集成。1.0 使用 Swift 4.2, SwiftNIO 1.x 开发,即将发布 Swift 5 及 SwiftNIO 2 的版本,包含 SmokeHTTP,SmokeAWS, SmokeDynamoDB, SmokeAWSCredentials 几个子模块。
gharchive/issue
2019-04-06T18:33:07
2025-04-01T04:33:07.121974
{ "authors": [ "iblacksun", "kemchenj" ], "repo": "SwiftOldDriver/iOS-Weekly", "url": "https://github.com/SwiftOldDriver/iOS-Weekly/issues/1299", "license": "Apache-2.0", "license_type": "permissive", "license_source": "github-api" }
509307287
Add Thread Extensions Checklist [x] I checked the Contributing Guidelines before creating this request. [x] New extensions are written in Swift 5.0. [x] New extensions support iOS 8.0+ / tvOS 9.0+ / macOS 10.10+ / watchOS 2.0+, or use @available if not. [x] I have added tests for new extensions, and they passed. [x] All extensions have a clear comments explaining their functionality, all parameters and return type in English. [x] All extensions are declared as public. [x] I have added a changelog entry describing my changes. 4 Messages :book: Thank you for submitting a pull request to SwifterSwift. The team will review your submission as soon as possible. :book: iOS: Executed 602 tests, with 0 failures (0 unexpected) in 11.155 (12.894) seconds :book: tvOS: Executed 576 tests, with 0 failures (0 unexpected) in 3.153 (3.845) seconds :book: macOS: Executed 433 tests, with 0 failures (0 unexpected) in 1.299 (1.708) seconds Generated by :no_entry_sign: Danger Thank you for putting the time in this extension @FraDeliro, to be honest, I have some mixed feelings about it, why don't we just use DispatchQueue.main.async { ... } directly 🤔 Could you please share a use case where you think this extension is useful I cannot recommend this approach. A given callback should always be synchronous or it should always be asynchronous. Relying on this construct is a bug waiting to happen. Consider: firstThing() Thread.mainThreadCompletion { secondThing() } thirdThing() What is the order of operations? It depends on the calling thread and that'll drive you to madness. Thank you for putting the time in this extension @FraDeliro, to be honest, I have some mixed feelings about it, why don't we just use DispatchQueue.main.async { ... } directly 🤔 Could you please share a use case where you think this extension is useful Hi @omaralbeik, thank you for your reply. I found this extension useful when I had to test asynchronous code. For example if we fetch data in the background we need to update the UI on main thread but this is not needed during tests if we use mock data. @FraDeliro if your protocol marks the callbacks as @escaping then you shouldn't create a hack like this to make them non-escaping just for tests. It can also cause issues in other situations, as mentioned by @chulbert. What you may instead want is something like this: extension XCTestCase { func perform<T>(timeout: TimeInterval = 1, action: (@escaping (Result<T, Error>) -> Void) -> Void, completion: @escaping (Result<T, Error>) -> Void) { let expectation = XCTestExpectation() action { result in completion(result) expectation.fulfill() } wait(for: [expectation], timeout: timeout) } } Then you can use it in your test, such as in this simple example: final class MyTests: XCTestCase { private struct StringLoader { let string: String func load(completion: @escaping (Result<String, Error>) -> Void) { DispatchQueue.main.asyncAfter(deadline: .now() + 0.5) { completion(.success(self.string)) } } } func testStringResult() { let string = "Hello world" perform(action: StringLoader(string: string).load) { result in switch result { case .success(let text): XCTAssertEqual(text, string) case .failure(let error): XCTFail(error.localizedDescription) } } } } Thanks @guykogus, @chulbert. I understand what you mean. I will try to show you how I used it with an axample, but if you think that this is something that can cause confusion I can close the PR or update it with the solution @guykogus proposed. protocol ApiClientType { func fetchImage(from url: String, completion: @escaping (Result<UIImage, Error>) -> Void) } protocol ViewModelType { func fetchImage(completion: @escaping (Result<UIImage, Error>) -> Void) } struct ViewModel: ViewModelType { let apiClient: ApiClientType init(apiClient: ApiClientType) { self.apiClient = apiClient } func fetchImage(completion: @escaping (Result<UIImage, Error>) -> Void) { apiClient.fetchImage(from: "viewModel.imageURL") { result in switch result { case .success(let image): Thread.mainThreadCompletion(completion, result: .success(image)) case .failure(let error): Thread.mainThreadCompletion(completion, result: .failure(error)) } } } } final class ExampleViewController: UIViewController { @IBOutlet var imageView: UIImageView! private let viewModel: ViewModelType init(viewModel: ViewModelType) { self.viewModel = viewModel } func fetchImage() { viewModel.fetchImage { [weak self] result in switch result { case .success(let image): self?.imageView.image = image case .failure(let error): print(error.localizedDescription) } } } } import XCTest final class MockApiClient: ApiClientType { let mockImage = UIImage() func fetchImage(from url: String, completion: @escaping (Result<UIImage, Error>) -> Void) { completion(.success(mockImage)) } } final class ExampleViewControllerTests: XCTextCase { func testFetchImage() { let mockApiClient = MockApiClient() let viewModel = ViewModel(apiClient: mockApiClient) let sut = ExampleViewController(viewModel: viewModel) sut.fetchImage() XCTAssertEqual(sut.imageView.image, mockApiClient.mockImage) } } This is the first I've seen of someone running unit tests on a view controller... Anyway, why run the unit test on the view controller when you can do it on the view model? Then, using my suggestion you can test fetchImage in your test. perform(action: viewModel.fetchImage) { result in ... } Alternatively, you could ensure that you ApiClientType conformer always calls its completion block on the main thread. There's nothing I hate more than clients that don't do this, especially when they're returning a UI object like an image! @guykogus This was just a quick example (my fault I haven't gone through all the steps) and it was focused to show how to use this extension in tests. I agree with you about testing the viewModel and that the completion coming from the ApiClient class should be executed on the main thread, this function called from the viewModel in a real project looks like: func fetchImage(completion: @escaping (Result<UIImage, Error>) -> Void) { apiClient.fetchImage(from: "viewModel.imageURL", completion: completion) } Anyway this was out of the scope, and yes I worked in big projects where devs add unit test to view controllers :) But in conclusion this extension seems not to respond to a need, I will close the PR ;)
gharchive/pull-request
2019-10-18T20:58:00
2025-04-01T04:33:07.135838
{ "authors": [ "FraDeliro", "SwifterSwiftBot", "chulbert", "guykogus", "omaralbeik" ], "repo": "SwifterSwift/SwifterSwift", "url": "https://github.com/SwifterSwift/SwifterSwift/pull/738", "license": "mit", "license_type": "permissive", "license_source": "bigquery" }
1138511029
Updated dependencies to newest and Tesseract to 4.1.3 To compile Tesseract without libcurl support autogen options were backported from 5.0.1 tag Additional task to build only for iOS were added. Checklist I've validated my changes against the following plaftorms: [x] iOS - Deployment Target Version 11.0 [] macOS Catalyst - Deployment Target Version 10.15 [] macOS - Deployment Target Version 10.13 [] I've updated the documentation if necessary. [] I've read the README [] I've read the Contribution Guidelines [] I've read the Code of Conduct Motivation and Context Dependencies were outdated. They contained security vulnerabilities among other issues. In the spirit of using the latest stable I also updated Tesseract to 4.1.3. In future if need arises for mine project I will follow with PR updating Tesseract to 5.x Description Testing Steps Done, it's 4.1.3 again. LGTM, I’m going to make sure the SwiftyTesseract tests pass before tagging a new version
gharchive/pull-request
2022-02-15T10:47:44
2025-04-01T04:33:07.142014
{ "authors": [ "Steven0351", "oskargargas" ], "repo": "SwiftyTesseract/libtesseract", "url": "https://github.com/SwiftyTesseract/libtesseract/pull/15", "license": "MIT", "license_type": "permissive", "license_source": "github-api" }
749726776
check-status: move stdm library call within the check-status script Signed-off-by: Alessandro Comodi acomodi@antmicro.com This PR changes the way the check status GH action gets the latest link. This requires https://github.com/SymbiFlow/symbiflow-tools-data-manager/pull/11 to be merged. There will be one sym-link-like file for each package produced by symbiflow-arch-defs install CI. Closing, superseded by https://github.com/SymbiFlow/symbiflow-arch-defs/pull/1747
gharchive/pull-request
2020-11-24T13:55:08
2025-04-01T04:33:07.233587
{ "authors": [ "acomodi" ], "repo": "SymbiFlow/symbiflow-arch-defs", "url": "https://github.com/SymbiFlow/symbiflow-arch-defs/pull/1803", "license": "ISC", "license_type": "permissive", "license_source": "github-api" }
1944179221
Are the text prompts in the demo used directly as input to sam-hq? https://huggingface.co/spaces/sam-hq-team/sam-hq Are the text prompts in the demo used directly as input to sam-hq? If so, the computation time would be faster than the "grounded-sam + sam-hq" configuration, which requires several intermediate steps to use the text prompt. Could you tell me when the code that uses text prompts as input will be released? Thank you for your great work. hi, grounded hq-sam and grounded light hq-sam has been supported in here and here.
gharchive/issue
2023-10-16T01:34:42
2025-04-01T04:33:07.297746
{ "authors": [ "hyosong86", "lkeab" ], "repo": "SysCV/sam-hq", "url": "https://github.com/SysCV/sam-hq/issues/81", "license": "Apache-2.0", "license_type": "permissive", "license_source": "github-api" }
991697525
About Docker Can you please provide a Docker environment with spc2 pre-installed and ready to run? that has been mentioned in readme, please try: docker pull deepdrive/spc How do I install spc2 when using Docker? Should I put spc2 in the container I created (deepdrive/spc) and use it? Is it enough to put spc2 in the container I created (deepdrive/spc), or should I put spc2 in a local environment separate from docker and let it communicate with the simulator-side (deepdrive/spc)? Thank you very much for your help.
gharchive/issue
2021-09-09T02:40:57
2025-04-01T04:33:07.299409
{ "authors": [ "noahcao", "s1710335" ], "repo": "SysCV/spc2", "url": "https://github.com/SysCV/spc2/issues/9", "license": "BSD-3-Clause", "license_type": "permissive", "license_source": "github-api" }
1919332260
fix: corrige o funcionamento do fluid no text area 1 - Checklist do pull request Por favor, verifique se o seu pull request está de acordo com o checklist abaixo: [x] A implementação feita possui testes (Caso haja um motivo para não haver testes, descrever abaixo) [x] A documentação no mdx foi feita ou atualizada, caso necessário [x] O eslint passou localmente 2 - Tipo de pull request [x] Bugfix [ ] Feature [ ] Melhoria no estilo de código (refatoração sem modificação na api) [ ] Melhoria na escrita de métodos ou componentes (refatoração com modificação na api) [ ] Modificação no build [ ] Documentação 3 - Esse PR fecha alguma issue? Favor referenciá-la Não 4 - Quais são os passos para avaliar o pull request? Número da atividade ou issue: 5 - Imagem ou exemplo de uso: Compile o projeto; Acesse o componente de Text Area; Selecione o fluid como true e verfique se o campo input ocupa todo o espaço 6 - Esse pull request adiciona breaking changes? [ ] Sim [x] Não 7 - Informações adicionais: Precisa atualizar a versão do projeto no package.json
gharchive/pull-request
2023-09-29T14:02:59
2025-04-01T04:33:07.324668
{ "authors": [ "ardotheedu", "lucasn4s" ], "repo": "Sysvale/cuida", "url": "https://github.com/Sysvale/cuida/pull/575", "license": "Apache-2.0", "license_type": "permissive", "license_source": "github-api" }
2566023820
This error appeared when I disconnected [Custom Gmod Bot] lua/action/tbotmainaction.lua:405: attempt to index local 'vision' (a nil value) 1. hookFunc - lua/action/tbotmainaction.lua:405 2. ProcessHookEvent - lua/action/tbotbaseaction.lua:1020 3. v - lua/action/tbotbaseaction.lua:943 4. unknown - lua/includes/modules/hook.lua:96 I have noticed this error as well, but I don't have a reliable way to reproduce this. It seems to be referencing an invalid vision interface. I could add an IsValid method to the interfaces and check their validity in the hooks which might resolve this issue. Ok, I found a fix for this, and it seems to fix the issue entirely. It will be applied in the next update along with other bugs I fixed as well.
gharchive/issue
2024-10-04T10:23:03
2025-04-01T04:33:07.327715
{ "authors": [ "Gvbavx", "T-Rizzle12" ], "repo": "T-Rizzle12/Custom-Gmod-Bot", "url": "https://github.com/T-Rizzle12/Custom-Gmod-Bot/issues/66", "license": "Apache-2.0", "license_type": "permissive", "license_source": "github-api" }
2172881518
feat: maintain idle pool of runners Adds --idle-runners arg to define how large the idle pool should be. Currently a draft because this PR makes #1036 more likely to be hit. Before this change, killing all deployments would mean there are 0 runners, leading to no runner id collisions when you bring up more deployments After this change, killing all deployments means that there will still be runners which will cause collisions if the idle runner ids aren't the lowest possible [R00000000000000000000002000, R00000000000000000000004000 ... ] I've been testing with a hacky fix replacing line bankend/controller/scaling/local_scaling.go:96 to: binary.BigEndian.PutUint32(ulid[10:], rand.Uint32()) Is 1 a good default idle pool size? I think it would be best fix #1036 in this PR. I think it would be best fix #1036 in this PR. Will give it a go It might be best just randomly generate them like it does in production. Ah, just did a an ever increasing version. Happy to switch it over to what we do in prod though if you prefer. Have the simpler ids been helpful in development up to now? Otherwise keeping it closer to prod seems like a better choice Ah, just did a an ever increasing version. Happy to switch it over to what we do in prod though if you prefer. Have the simpler ids been helpful in development up to now? Otherwise keeping it closer to prod seems like a better choice I think the idea was that it would make it slightly easier to debug, but I don't recall in practice ever relying on it or even caring.
gharchive/pull-request
2024-03-07T03:44:30
2025-04-01T04:33:07.359448
{ "authors": [ "alecthomas", "matt2e" ], "repo": "TBD54566975/ftl", "url": "https://github.com/TBD54566975/ftl/pull/1038", "license": "Apache-2.0", "license_type": "permissive", "license_source": "github-api" }
2291542611
test: make TestHashRing() more reliable This might make the test more reliable. fixes https://github.com/TBD54566975/ftl/issues/1446 We may have been hitting a deadlock situation where cronjobs were setting up their observation of channels and calling clock.Now() while the test tried to increment the mock clock (exact case is detailed more in https://github.com/TBD54566975/ftl/issues/1368). Going to run the tests on CI a number of times to see if we can hit the issue again We should probably just switch to leases.
gharchive/pull-request
2024-05-12T23:14:29
2025-04-01T04:33:07.361721
{ "authors": [ "alecthomas", "matt2e" ], "repo": "TBD54566975/ftl", "url": "https://github.com/TBD54566975/ftl/pull/1467", "license": "Apache-2.0", "license_type": "permissive", "license_source": "github-api" }
1988521524
Automated GH Release Tag We need a GH Action workflow to generate the GH releases. Similar to https://github.com/TBD54566975/tbdex-js/pull/61 This is being done by #416 -- whenever changesets get merged and we will have automated Git Tags and GH Releases too.
gharchive/issue
2023-11-10T22:52:32
2025-04-01T04:33:07.363167
{ "authors": [ "leordev" ], "repo": "TBD54566975/web5-js", "url": "https://github.com/TBD54566975/web5-js/issues/287", "license": "Apache-2.0", "license_type": "permissive", "license_source": "github-api" }
1801823146
Temporarily expose access to local ProfileManager through web5.techPreview.profileManager enables the ability to import/export profiles that will change once future changes land Addressed in PR #168
gharchive/pull-request
2023-07-12T22:04:39
2025-04-01T04:33:07.364056
{ "authors": [ "frankhinek", "mistermoe" ], "repo": "TBD54566975/web5-js", "url": "https://github.com/TBD54566975/web5-js/pull/155", "license": "Apache-2.0", "license_type": "permissive", "license_source": "github-api" }
1969595543
Update supported diagram types Adds the following new diagram types as supported in Kroki 0.23.0: symbolator d2 tikz wireviz dbml @TECH7Fox Let me know if there's anything I can do to move this along! @TECH7Fox Would you be interested in merging this? Ah sorry didn't see this message. Did you test it already? @TECH7Fox No worries! I've added screenshots for each new diagram type to the MR description as well as a VS Code .devcontainer configuration with a minimal build environment. Looks good, thank you for the PR!
gharchive/pull-request
2023-10-31T04:01:44
2025-04-01T04:33:07.402183
{ "authors": [ "TECH7Fox", "felixvanoost" ], "repo": "TECH7Fox/vscode-markdown-kroki", "url": "https://github.com/TECH7Fox/vscode-markdown-kroki/pull/1", "license": "MIT", "license_type": "permissive", "license_source": "github-api" }
1997772321
Update api wrappers to implement search and get endpoints and new headers. As the title says, I want to implement those new endpoints into our API wrappers and you are free to do so too if you would like to help. Endpoints: /search /get/id New Book Headers: book-commit-url book-commit-author (you can find them after trying the /get or /random endpoints) [x] 🦀 aghpb.rs - https://github.com/THEGOLDENPRO/aghpb.rs/issues/5 [x] 🟦 aghpb.ts - https://github.com/THEGOLDENPRO/aghpb.ts/issues/1 [x] ⚫ aghpb.c [x] 🌕 aghpb.lua Completed thanks to volunteers.
gharchive/issue
2023-11-16T20:59:35
2025-04-01T04:33:07.421314
{ "authors": [ "THEGOLDENPRO" ], "repo": "THEGOLDENPRO/aghpb_api", "url": "https://github.com/THEGOLDENPRO/aghpb_api/issues/4", "license": "MIT", "license_type": "permissive", "license_source": "github-api" }
2041893035
AssertionError: /home/GDR-Net/datasets/BOP_DATASETS/lm/models/fps_points.pkl AssertionError: /home/GDR-Net/datasets/BOP_DATASETS/lm/models/fps_points.pkl 请问fps_points.pkl这个文件是在哪里的?需要自己生成吗? For me the follwoing worked: pip install mmcv-full Have you solved the problem? I have the same error, and mmcv-full was installed. @Zephyr-One
gharchive/issue
2023-12-14T15:05:03
2025-04-01T04:33:07.426520
{ "authors": [ "Zephyr-One", "pullover00", "shapinbabazhu" ], "repo": "THU-DA-6D-Pose-Group/GDR-Net", "url": "https://github.com/THU-DA-6D-Pose-Group/GDR-Net/issues/113", "license": "Apache-2.0", "license_type": "permissive", "license_source": "github-api" }
2510969149
Support Style reference, Seed image and Control parameters. Feature request / 功能建议 Any plan to add support to style reference, seed image and control parameters? Motivation / 动机 This feature has been speculated in this article: Input Processing: - Text Input: The model accepts textual descriptions as input, likely utilizing advanced tokenization and embedding techniques to convert text into a format suitable for the neural network. This might involve a vocabulary size of 30,000 to 50,000 tokens, with each token embedded into a high-dimensional space (e.g., 768 or 1024 dimensions). - Potential Additional Inputs: While not confirmed, the model might also accept additional inputs such as style references, seed images, or control parameters to guide the video generation process. Other T2V and T2I models have extensive support to style, image and control parameters yet. Your contribution / 您的贡献 You can set the seed, but there's no way to set the style because the training process hasn't been enhanced in this aspect. We will try to improve this in the future. For seed settings, please refer to cli_demo. You can set the seed, but there's no way to set the style because the training process hasn't been enhanced in this aspect. We will try to improve this in the future. For seed settings, please refer to cli_demo. Thank you, in the cli_demo I only see the generator to seed the rnd, but not a seed image video = pipe( prompt=prompt, num_videos_per_prompt=num_videos_per_prompt, # Number of videos to generate per prompt num_inference_steps=num_inference_steps, # Number of inference steps num_frames=49, # Number of frames to generate,changed to 49 for diffusers version `0.31.0` and after. use_dynamic_cfg=True, ## This id used for DPM Sechduler, for DDIM scheduler, it should be False guidance_scale=guidance_scale, # Guidance scale for classifier-free guidance, can set to 7 for DPM scheduler generator=torch.Generator().manual_seed(42), # Set the seed for reproducibility ).frames[0] Oh, the image is indeed generated directly from noise. We didn't write the content to control this part, so the impact should be very, very small the ah correct, so in any case you mean you would need to add a image parameter as for the Image2Image Diffusers's pipeline here https://huggingface.co/docs/diffusers/v0.30.2/en/api/pipelines/auto_pipeline#diffusers.AutoPipelineForImage2Image
gharchive/issue
2024-09-06T18:16:19
2025-04-01T04:33:07.431270
{ "authors": [ "loretoparisi", "zRzRzRzRzRzRzR" ], "repo": "THUDM/CogVideo", "url": "https://github.com/THUDM/CogVideo/issues/248", "license": "Apache-2.0", "license_type": "permissive", "license_source": "github-api" }
2547517685
CogVideoX里的3d-rope是在哪里实现的呀 2.2 Expert Transformer 里的3D-RoPE说到“independently apply 1D-RoPE to each dimension of the coordinates, each occupying 3/8, 3/8, and 2/8 of the hidden states’ channel”,但是在diffusers里的CogVideoXTransformer3DModel里我只看到了全量rope的实现啊 try find get_3d_rotary_pos_embed in cogvideox_transformer_3d.py thanks alot
gharchive/issue
2024-09-25T09:51:56
2025-04-01T04:33:07.432941
{ "authors": [ "HeShiLie", "zRzRzRzRzRzRzR" ], "repo": "THUDM/CogVideo", "url": "https://github.com/THUDM/CogVideo/issues/359", "license": "Apache-2.0", "license_type": "permissive", "license_source": "github-api" }
2675382799
Question about one deepspeed-config: contiguous_gradients For the code: https://github.com/THUDM/CogVideo/blob/2fdc59c3ce48aee1ba7572a1c241e5b3090abffa/sat/configs/sft.yaml#L39 , contiguous_gradients is deepspeed memory optimization, which is default True. I am very curious why is it set False in CogvideoX sft procedure? And we accidentally discovered that when it is set to True, the loss will become abnormally large when training on more than 128 GPUs; so what is your motivation for disabling it? Could you please share it? Reference: (according to https://www.deepspeed.ai/docs/config-json/#bfloat16-training-options) Sorry, we didn't pay attention to this setting before. We've always used it this way. Hope someone can provide an explanation.
gharchive/issue
2024-11-20T10:42:26
2025-04-01T04:33:07.435689
{ "authors": [ "williechai", "yzy-thu" ], "repo": "THUDM/CogVideo", "url": "https://github.com/THUDM/CogVideo/issues/531", "license": "Apache-2.0", "license_type": "permissive", "license_source": "github-api" }
1715437547
Update README.md 添加Windows系统的命令符号注意事项。 感谢!我直接都改成双引号了。
gharchive/pull-request
2023-05-18T11:00:35
2025-04-01T04:33:07.437155
{ "authors": [ "Sleepychord", "chenshaoju" ], "repo": "THUDM/VisualGLM-6B", "url": "https://github.com/THUDM/VisualGLM-6B/pull/10", "license": "Apache-2.0", "license_type": "permissive", "license_source": "github-api" }
1829323675
🛑 TKS US Corporate Website is down In 361c09d, TKS US Corporate Website (https://www.tkschecksusa.com) was down: HTTP code: 0 Response time: 0 ms Resolved: TKS US Corporate Website is back up in 5ca83c1.
gharchive/issue
2023-07-31T14:33:26
2025-04-01T04:33:07.484880
{ "authors": [ "TKS-IT" ], "repo": "TKS-IT/status-page", "url": "https://github.com/TKS-IT/status-page/issues/235", "license": "MIT", "license_type": "permissive", "license_source": "github-api" }
2306616883
🛑 CHECKS LATAM is down In 21e7393, CHECKS LATAM (https://latam.tkschecks.com) was down: HTTP code: 0 Response time: 0 ms Resolved: CHECKS LATAM is back up in f5d01a9 after 4 minutes.
gharchive/issue
2024-05-20T19:18:55
2025-04-01T04:33:07.487402
{ "authors": [ "TKS-IT" ], "repo": "TKS-IT/status-page", "url": "https://github.com/TKS-IT/status-page/issues/623", "license": "MIT", "license_type": "permissive", "license_source": "github-api" }
1125288621
No Coop, nor PVP I connected to the server but cannot engage in any multiplayer activity. No summons nor invasions are possible. I see messages, blood stains, phantoms by the bonfires, those almost invisible phantoms on the places and the signs of online activity by the names of the bonfires but no multiplayer at all. You need to provide more context. Both work and are actively being used.
gharchive/issue
2022-02-06T19:10:09
2025-04-01T04:33:07.488586
{ "authors": [ "TLeonardUK", "jefersonnavarro" ], "repo": "TLeonardUK/ds3os", "url": "https://github.com/TLeonardUK/ds3os/issues/97", "license": "MIT", "license_type": "permissive", "license_source": "github-api" }
1599302187
Add frame caching. If the current frame is the same as the last frame, then it should not be drawing the current frame all over again. It should just use the exact same frame. This is the feature I want to add. Completed via previously mentioned commit.
gharchive/issue
2023-02-24T21:29:21
2025-04-01T04:33:07.521842
{ "authors": [ "TNTMaster370" ], "repo": "TNTMaster370/scripted-video", "url": "https://github.com/TNTMaster370/scripted-video/issues/9", "license": "MIT", "license_type": "permissive", "license_source": "github-api" }
2652010492
proto target cannot add -I args for *.proto files here is my project: # tree . . |-- foo | `-- proto | `-- header.proto |-- main.cc |-- proto | `-- test.proto `-- xmake.lua test.proto: syntax = "proto3"; package github.tomocat.proto; import "proto/header.proto"; message Version { int32 major_version = 1; int32 minor_version = 2; int32 patch_version = 3; } header.proto: syntax = "proto3"; package github.tomocat.proto; message End2EndSource { string module_name = 1; uint32 sequence_num = 2; double transit_time_ms = 3; } and my target: target("foo.proto", function() set_kind("object") add_files("foo/proto/*.proto") add_rules("protobuf.cpp") add_packages("protobuf-cpp", { public = true }) set_policy('build.fence', true) end) target("test.proto", function() set_kind("object") add_files("proto/*.proto", { proto_public = true, proto_rootdir = "."}) add_rules("protobuf.cpp") add_packages("protobuf-cpp", { public = true }) set_policy('build.fence', true) add_deps("foo.proto") end) then I build and meet error: [ 66%]: compiling.proto.c++ proto/test.proto /root/.xmake/packages/p/protobuf-cpp/3.19.4/e71494ae9d544ed7a5ad809df77e8cf2/bin/protoc proto/test.proto -I. --cpp_out=build/.gens/test.proto/linux/x86_64/release/rules/protobuf/. proto/header.proto: File not found. proto/test.proto:5:1: Import "proto/header.proto" was not found or had errors. proto/test.proto:11:3: "End2EndSource" is not defined. try this: target("foo.proto", function() set_kind("object") -- extra flags add_files("foo/proto/*.proto", { public = true, proto_rootdir = "foo", extra_flags = "-Ino-exist-folder" }) add_rules("protobuf.cpp") add_packages("protobuf-cpp") set_policy('build.fence', true) end) Example: https://github.com/TOMO-CAT/xmake/blob/dev/example/rules/protobuf.cpp/xmake.lua
gharchive/issue
2024-11-12T12:11:35
2025-04-01T04:33:07.526743
{ "authors": [ "TOMO-CAT", "VankiCu" ], "repo": "TOMO-CAT/xmake", "url": "https://github.com/TOMO-CAT/xmake/issues/23", "license": "Apache-2.0", "license_type": "permissive", "license_source": "github-api" }
1763845062
Скласти таймлайн Скласти список всіх (важливих) життєвих подій, визначних дат, досягнень, періодів, що дали приємний і неприємний досвід, тощо. В цьому конкретному випадку довгих списків не буває, натомість бувають погано згорнуті, тому пакуємо сюди все підряд, а про "лишні" події можна буде промовчати пізніше. Список повинен бути систематизованим і посортованим в такий спосіб, щоб читач швидко зрозумів "паттерн" і міг легко орієнтуватись в просторі і часі цього резюме. Додано блок інтересів.
gharchive/issue
2023-06-19T16:18:44
2025-04-01T04:33:07.545455
{ "authors": [ "TPoleliuk" ], "repo": "TPoleliuk/homepage", "url": "https://github.com/TPoleliuk/homepage/issues/6", "license": "MIT", "license_type": "permissive", "license_source": "github-api" }
2514800687
🛑 Git is down In b890f9d, Git (https://git.charlie-cloud.hu) was down: HTTP code: 523 Response time: 22872 ms Resolved: Git is back up in ef8095a after 8 minutes.
gharchive/issue
2024-09-09T19:59:41
2025-04-01T04:33:07.558781
{ "authors": [ "TTRCharlie" ], "repo": "TTRCharlie/Charlie-Cloud-Sites-Uptime", "url": "https://github.com/TTRCharlie/Charlie-Cloud-Sites-Uptime/issues/205", "license": "MIT", "license_type": "permissive", "license_source": "github-api" }
1083007153
Aircraft stay in turn mode if LNAV is set to OFF during a turn If LNAV is turned off for aircraft while in a turn, the aircraft stays in turn mode and is not responsive to any commands. An LNAV ON check should be added to the autopilot turn mode. Indeed! Thanks, I”ll add the fix and check some other spots for the switching of the LNAV/VNAV as well. Best regards, Jacco Hoekstra On 17 Dec 2021, at 09:28, andubadea @.***> wrote:  If LNAV is turned off for aircraft while in a turn, the aircraft stays in turn mode and is not responsive to any commands. An LNAV ON check should be added to the autopilot turn mode. — Reply to this email directly, view it on GitHubhttps://urldefense.proofpoint.com/v2/url?u=https-3A__github.com_TUDelft-2DCNS-2DATM_bluesky_issues_351&d=DwMCaQ&c=XYzUhXBD2cD-CornpT4QE19xOJBbRy-TBPLK0X9U2o8&r=5JxzVuDw_d0JV-kYyto54d3K2zKNIvniSIeVeSDtif4&m=BwNITyXv7x8Cc3CuhMy86QqjRThCNh81X1nE-U96Aww&s=1w-KuQhsqk96u9DrDrV7TNvOEpmbF5pG4Onjbmf6fOs&e=, or unsubscribehttps://urldefense.proofpoint.com/v2/url?u=https-3A__github.com_notifications_unsubscribe-2Dauth_ABWT2BHQUYKU334GJGMRI7LURLYDNANCNFSM5KIIKY7A&d=DwMCaQ&c=XYzUhXBD2cD-CornpT4QE19xOJBbRy-TBPLK0X9U2o8&r=5JxzVuDw_d0JV-kYyto54d3K2zKNIvniSIeVeSDtif4&m=BwNITyXv7x8Cc3CuhMy86QqjRThCNh81X1nE-U96Aww&s=VvJkdx-UTOAka-Qu3iFiMi_FQ6qLDlRoREKKeH0zC38&e=. Triage notifications on the go with GitHub Mobile for iOShttps://urldefense.proofpoint.com/v2/url?u=https-3A__apps.apple.com_app_apple-2Dstore_id1477376905-3Fct-3Dnotification-2Demail-26mt-3D8-26pt-3D524675&d=DwMCaQ&c=XYzUhXBD2cD-CornpT4QE19xOJBbRy-TBPLK0X9U2o8&r=5JxzVuDw_d0JV-kYyto54d3K2zKNIvniSIeVeSDtif4&m=BwNITyXv7x8Cc3CuhMy86QqjRThCNh81X1nE-U96Aww&s=wNNjqX6b5urfuiop6v9GN6dCC2B2XmrWKL7GcuinIvg&e= or Androidhttps://urldefense.proofpoint.com/v2/url?u=https-3A__play.google.com_store_apps_details-3Fid-3Dcom.github.android-26referrer-3Dutm-5Fcampaign-253Dnotification-2Demail-2526utm-5Fmedium-253Demail-2526utm-5Fsource-253Dgithub&d=DwMCaQ&c=XYzUhXBD2cD-CornpT4QE19xOJBbRy-TBPLK0X9U2o8&r=5JxzVuDw_d0JV-kYyto54d3K2zKNIvniSIeVeSDtif4&m=BwNITyXv7x8Cc3CuhMy86QqjRThCNh81X1nE-U96Aww&s=9nEtx2Ie6VxAC5wCqAH7cTnCRjDJeG_4w17PJJz-qhQ&e=. You are receiving this because you are subscribed to this thread.Message ID: @.***> Was a misplaced bracket. Will add coms extra checks.
gharchive/issue
2021-12-17T08:28:26
2025-04-01T04:33:07.565281
{ "authors": [ "ProfHoekstra", "andubadea" ], "repo": "TUDelft-CNS-ATM/bluesky", "url": "https://github.com/TUDelft-CNS-ATM/bluesky/issues/351", "license": "MIT", "license_type": "permissive", "license_source": "github-api" }
2277139432
Removing column which has translation/perspective Describe the bug If I try to remove an object (i.e. column) that is part of a perspective or contains a translation, it successfully deletes but then if I go to 'Edit' -> Show history... I get the error in the screenshot. To Reproduce Steps to reproduce the behavior: Put a column into a perspective or make a translation for a column Right click on the column and click 'Delete' In the file menu go to 'Edit' -> Show history... See error below Observed behavior After learning more about this, it happens because of a dependency on the translation or perspective (and the fact that translations/perspectives are managed in a separate part of the .bim file. If you use TOM to remove an object which is part of a translation or perspective you get an error. IMO this shouldn't happen - it should allow you to delete it. I think the error in TE stems from that. Application specifics Tabular Editor 2.24.0 I was not able to reproduce this "Show history" crash in TE 2.24.1. You are correct that deleting an object in TOM that has perspectives/translations assigned, will cause issues on subsequent saved if you are not also explicitly removing the corresponding ObjectTranslation or PerspectiveObject. That's some of the stuff that our TOMWrapper takes care off, so when using Tabular Editor's UI, or when deleting objects through a Tabular Editor C# script, users don't need to worry about explicitly removing the ObjectTranslation/PerspectiveObjects.
gharchive/issue
2024-05-03T07:56:05
2025-04-01T04:33:07.619627
{ "authors": [ "m-kovalsky", "otykier" ], "repo": "TabularEditor/TabularEditor", "url": "https://github.com/TabularEditor/TabularEditor/issues/1202", "license": "MIT", "license_type": "permissive", "license_source": "github-api" }
129402154
callerid.cdr prq.prq_member call list에 대한 회원정보 연동 cdr연동 prq.prq_cdr로 trigger 처리 하여 연동 완료.
gharchive/issue
2016-01-28T09:58:33
2025-04-01T04:33:07.621941
{ "authors": [ "Taebu" ], "repo": "Taebu/prq", "url": "https://github.com/Taebu/prq/issues/26", "license": "mit", "license_type": "permissive", "license_source": "bigquery" }
676924006
Displaying spotLight over Dialog Hi, the library was cool and working fine in activities and fragments. But whenever i want to display the overlay on top of dialog it was displaying below the dialog. Please suggest any possible solution.. To make it clear, you want Spotlight only on a Dialog or on the entire screen while displaying a dialog? If it's former, you can just use Spotlight.Builder.setContainer() and set dialog view in it. If it's latter, it's pretty difficult to archive it since the view where Spotlight is drawn is under the dialog. It is possible, no changes required. Just use setContainer and set root view of dialog. Let me show an example: fun showTutorial( activity: AppCompatActivity, @IdRes idToHighlight: Int, dialogTag: String? = null ) { val rootView: ViewGroup = if (dialogTag == null) { activity .findViewById<ViewGroup?>(android.R.id.content) ?: return } else { (activity.supportFragmentManager .findFragmentByTag(dialogTag) as? DialogFragment) ?.dialog ?.window ?.findViewById<ViewGroup?>(android.R.id.content) ?: return } val targetView: View = rootView.findViewById<View>(idToHighlight) ?: return val tutorialView: View = activity.layoutInflater .inflate(R.layout.your_tutorial_view, rootView, false) val spotlight = Spotlight.Builder(activity) .setTargets( Target.Builder() .setAnchor(targetView) .setOverlay(tutorialView) .build() ) .setContainer(rootView) .build() } @Albul Thank you for sharing your solution. @NaveenKadiyala Could you check if that solves your problem? Sorry for the delay, I just found out this answer!! I have left that project long back to check the @Albul answer.. So closing this issue as resolved based on the Albul answer.. Thank you @Albul @TakuSemba
gharchive/issue
2020-08-11T14:27:38
2025-04-01T04:33:07.634539
{ "authors": [ "Albul", "NaveenKadiyala", "TakuSemba" ], "repo": "TakuSemba/Spotlight", "url": "https://github.com/TakuSemba/Spotlight/issues/95", "license": "apache-2.0", "license_type": "permissive", "license_source": "bigquery" }
198431737
displayRecognizedSentence not available? thanks for the great projects, having this error when trying to show what was recognized: Uncaught TypeError: SpeechKITT.displayRecognizedSentence is not a function this is my code: SpeechKITT.annyang(); SpeechKITT.setStylesheet('//cdnjs.cloudflare.com/ajax/libs/SpeechKITT/0.3.0/themes/flat.css'); SpeechKITT.setInstructionsText('Some commands to try…'); SpeechKITT.setSampleCommands(['Show directions', 'Call restaurant']); SpeechKITT.displayRecognizedSentence(true); SpeechKITT.vroom(); Had the same issue. Solved by including the latest speechkitt.min.js from Github instead the one in cloudflare.com, which seems to be outdated.. never work for me ... what should i do now? please help `(function() { if (annyang) { var commands = { 'hello': function() { alert('Hello world!'); } }; // Add our commands to annyang annyang.addCommands(commands); // Tell KITT to use annyang SpeechKITT.annyang(); // Stylesheet for KITT to use SpeechKITT.setStylesheet('https://cdnjs.cloudflare.com/ajax/libs/SpeechKITT/1.0.0/themes/flat.css'); SpeechKITT.setInstructionsText('Some commands to try…'); SpeechKITT.setSampleCommands(['say Hello, Ok google etc..']); SpeechKITT.displayRecognizedSentence(true); // When start SpeechKITT.setStartCommand(function() { console.info('Speech Recognition Started ______________________________'); annyang.start(); }); // When abort SpeechKITT.setAbortCommand(function() { console.info('Stopping ............................'); annyang.abort(); }); // Render KITT's interface SpeechKITT.vroom(); } })();`
gharchive/issue
2017-01-03T08:57:35
2025-04-01T04:33:07.640000
{ "authors": [ "atyachin", "awais786327", "wuwa" ], "repo": "TalAter/SpeechKITT", "url": "https://github.com/TalAter/SpeechKITT/issues/31", "license": "mit", "license_type": "permissive", "license_source": "bigquery" }
199120296
fix(list): select all now select all means select all items, not just the current page Please check if the PR fulfills these requirements [x] The commit(s) message(s) follows our guidelines [x] Tests for the changes have been added (for bug fixes / features) [ ] Docs have been added / updated (for bug fixes / features) What kind of change does this PR introduce? [x] Bugfix [ ] Feature [ ] Code style update (formatting, local variables) [ ] Refactoring (no functional changes, no api changes) [ ] Build / CI related changes [ ] Other... Please describe: What is the current behavior? (You can also link to an open issue here) select all support user to select current page, not all items. What is the new behavior? select all means select all items, not the current page. Does this PR introduce a breaking change? [ ] Yes [x] No If this PR contains a breaking change, please describe the impact and migration path for existing applications: ... Other information: maybe I miss something, but if you are doing pagination you can't have all the items ... what if the collection is too big. In the case of pagination you should handle the select all in a different way. AFAIK gmail for example will select only visible items and display a link with a message like "39712 other items not selected, click here to select them" @mmaillart what is you opinion on this ? @jmfrancois now send request for all items only when click 'select all' and store the requested fields(in iam-ui only id and name for each item) what I get is, ux decide to add menu with dropdown items select all and select current page. but yes, I don't think select all is a up-to-date solution. now many websites don't support select all, but with a endless scrollbar, when drop down the scrollbar, it will load more items, and continue.
gharchive/pull-request
2017-01-06T04:07:26
2025-04-01T04:33:07.647318
{ "authors": [ "jillyan", "jmfrancois" ], "repo": "Talend/react-talend-components", "url": "https://github.com/Talend/react-talend-components/pull/216", "license": "apache-2.0", "license_type": "permissive", "license_source": "bigquery" }
1041853584
About time How fast compare the original psp? Thank you, this is only the encoder time? or total time This is only the encoder time,not include stylegan.
gharchive/issue
2021-11-02T03:45:52
2025-04-01T04:33:07.659856
{ "authors": [ "TalkUHulk", "zhongtao93" ], "repo": "TalkUHulk/pixel2style2pixel-mobilenetv3", "url": "https://github.com/TalkUHulk/pixel2style2pixel-mobilenetv3/issues/1", "license": "MIT", "license_type": "permissive", "license_source": "github-api" }
1967443042
[WIP] Add back form validation @aadito123 took a stab at adding back form validation - ala #466 - this is that work tracked in a PR so I don't lose track of it Still WIP. The validation logic for onChange and onBlur run but the form states are not updating as expected. Also need to implement the onMount validation. No worries @aadito123 - take your time 😄 Anything I can do to help? Per a convo with @aadito123 in DMs, we're deciding to add in a mount method to FormAPI. As a result, this will technically be a breaking change, as our vanilla adapters will expect us to add form.mount() prior to field.mount This allows us more flexibility in our future API development while also enabling onMount validators Let's make sure we're updating our tests to reflect this change Feeling pretty confident in the implementation so far. Only had one test case though, so I want to add all the applicable validation test cases from the FieldApi to the FormApi tests. Codecov Report Attention: 34 lines in your changes are missing coverage. Please review. :exclamation: Your organization needs to install the Codecov GitHub app to enable full functionality. Files Coverage Δ packages/form-core/src/utils.ts 89.13% <ø> (ø) packages/react-form/src/createFormFactory.ts 100.00% <100.00%> (ø) packages/react-form/src/formContext.ts 83.33% <ø> (ø) packages/react-form/src/useForm.tsx 89.47% <100.00%> (+0.58%) :arrow_up: ...ckages/react-form/src/useIsomorphicLayoutEffect.ts 100.00% <100.00%> (ø) packages/solid-form/src/createFormFactory.ts 100.00% <100.00%> (ø) packages/solid-form/src/tests/utils.ts 100.00% <100.00%> (ø) packages/yup-form-adapter/src/tests/utils.ts 100.00% <100.00%> (ø) packages/yup-form-adapter/src/validator.ts 100.00% <100.00%> (ø) packages/zod-form-adapter/src/tests/utils.ts 100.00% <100.00%> (ø) ... and 7 more :loudspeaker: Thoughts on this report? Let us know!. Migrated to PR #505 as I've somehow managed to break my ability to push to this PR
gharchive/pull-request
2023-10-30T03:57:15
2025-04-01T04:33:07.678966
{ "authors": [ "aadito123", "codecov-commenter", "crutchcorn" ], "repo": "TanStack/form", "url": "https://github.com/TanStack/form/pull/493", "license": "MIT", "license_type": "permissive", "license_source": "github-api" }
1745106078
Table row count change causes scrolling on Chrome when table is height limited Describe the bug This is an issue i came across when trying to implement shadcn's data table. My data table component is height constrained and nested under some nav bars, headers, footer, and so forth. I want the table to scroll within its container, like airtable does. It seems to work on firefox, but on Chrome when you change the page count it seems to cause the entire page in chrome to expand to the total table height (with the new rows), but the table stays within the container. However the result is a ton of empty space below the table Here is the issue on shadcn I created. https://github.com/shadcn/ui/issues/510 You can observe the bug here using chrome https://7jzsym-3000.csb.app/ ... or see codesandbox linked Your minimal, reproducible example https://codesandbox.io/p/sandbox/async-cherry-7jzsym?file=%2Fcomponents%2Fui%2FDataTable%2FDataTable.tsx%3A73%2C64 Steps to reproduce See example here. Change the row count Direct link - https://7jzsym-3000.csb.app/ Expected behavior This should not cause the table to expand in height or cause scrolling behavior on chrome How often does this bug happen? Every time Screenshots or Videos No response Platform Chrome react-table version 8.9.1 TypeScript version No response Additional context No response Terms & Code of Conduct [X] I agree to follow this project's Code of Conduct [X] I understand that if my bug cannot be reliable reproduced in a debuggable environment, it will probably not be fixed and this issue may even be closed. Wanted to bump this Is there a solution for this? I have double scroll bars in similar scenario, and the space below also is created. I have the same issue, it adds a white space below my page with doble scroll bars I have the same issue, it adds a white space below my page with doble scroll bars I actually have solved it simply by adding relative classname inside a container the data table is in: `export default async function Template() { const { data } = await getData(); return ( ); } ` Yes ! Thank you !! This error drove me crazy :) This solution solved the issue for me: Within file "data-table-row-actions.tsx", replace this DropdownMenuTrigger: <DropdownMenuTrigger asChild> <Button variant="ghost" className="flex h-8 w-8 p-0 data-[state=open]:bg-muted" > <DotsHorizontalIcon className="h-4 w-4" /> <span className="sr-only">Open menu</span> </Button> </DropdownMenuTrigger> with this here: <DropdownMenuTrigger asChild> <Button variant="ghost" className="flex h-8 w-8 p-0 data-[state=open]:bg-muted" aria-label="Open menu" // Adding aria-label here > <DotsHorizontalIcon className="h-4 w-4" /> </Button> </DropdownMenuTrigger> The issue might be due to redix dropdown component, which you can find here. I had similar issue with horizontal scrollbar and this fixes it. body { @apply overflow-x-hidden; }
gharchive/issue
2023-06-07T06:05:00
2025-04-01T04:33:07.689809
{ "authors": [ "JMRodriguez-work", "artursvanags", "austinm911", "chetra-seng", "mxn2020" ], "repo": "TanStack/table", "url": "https://github.com/TanStack/table/issues/4901", "license": "MIT", "license_type": "permissive", "license_source": "github-api" }
1463417270
WIP: preact-adapter Preact adapter for virtual, tested on a preact project Opening PR for others to test and to start creating some examples @flemmingmiguel also missing build configuration for preact-virtual package Out of date. Please reopen.
gharchive/pull-request
2022-11-24T14:17:32
2025-04-01T04:33:07.691344
{ "authors": [ "flemmingmiguel", "piecyk", "tannerlinsley" ], "repo": "TanStack/virtual", "url": "https://github.com/TanStack/virtual/pull/434", "license": "MIT", "license_type": "permissive", "license_source": "github-api" }
238258554
Background Trasparent I have always the background trasparent. It doesn't matter if I set background color, it is always traslucent/trasparent. Where i'm wrong? If you add more than one fragment, it will be solved. Thanks for the answer @caglarturkurka ! I had the same problem.. However, I still think this is an important issue since everyone will try to write a simple activity first and this bug is causing confusion just remove setContentView(R.layout.main_activity) func in onCreate() func in activity
gharchive/issue
2017-06-23T21:30:52
2025-04-01T04:33:07.715126
{ "authors": [ "Skin1980", "bpmsilva", "caglarturkurka", "haidar786" ], "repo": "TangoAgency/material-intro-screen", "url": "https://github.com/TangoAgency/material-intro-screen/issues/114", "license": "mit", "license_type": "permissive", "license_source": "bigquery" }
359850293
How to add background as image instead of color to add background I should use .backgroundColor(R.color.dark) there is any way to use drawable ? Hi @mohamedhamada1! You can always implement your own CustomSlide by extending SlideFragmentBase
gharchive/issue
2018-09-13T11:13:49
2025-04-01T04:33:07.716288
{ "authors": [ "bezmian", "mohamedhamada1" ], "repo": "TangoAgency/material-intro-screen", "url": "https://github.com/TangoAgency/material-intro-screen/issues/171", "license": "mit", "license_type": "permissive", "license_source": "bigquery" }
222129078
getDockerContainerId now also returns values for stopped containers. Fix for issue #54 Thanks for the fix @Tillaert, it is much appreciated and will be included in the next release.
gharchive/pull-request
2017-04-17T13:06:26
2025-04-01T04:33:07.743456
{ "authors": [ "Tillaert", "kurtkopchik" ], "repo": "Tapad/sbt-docker-compose", "url": "https://github.com/Tapad/sbt-docker-compose/pull/56", "license": "bsd-3-clause", "license_type": "permissive", "license_source": "bigquery" }
2748489504
Request: Add .Wux Support for Wii U Platform .Wux games don't show up when adding my Wii U folder, due to only .rpx, .wua being supported Correct, Cemu on android only supports .rpx & .wua. Cemu Android FAQ Q: What file formats does Cemu for Android support? A: It supports .wua and extracted format ("RPX format"). .wux and .wud formats are not currently supported. Note that piracy is strictly forbidden and we ask you to get your games legally by following the [official guide](https://cemu.cfw.guide/dumping-games.html). Correct, Cemu on android only supports .rpx & .wua. Cemu Android FAQ Q: What file formats does Cemu for Android support? A: It supports .wua and extracted format ("RPX format"). .wux and .wud formats are not currently supported. Note that piracy is strictly forbidden and we ask you to get your games legally by following the [official guide](https://cemu.cfw.guide/dumping-games.html). It definitely supports wux format on Android. That must not be up to date. All my games are wux and work fine here’s a video of someone doing it when it was released also https://youtu.be/TMwNk21cClg?si=Fy-6qpl8Ra5NYdef Ah I see so Cemu reads a keys.txt files which has a list of decryption keys needed for each game. I'll update the platform. I removed your link since it has links to a piracy group Ah I see so Cemu reads a keys.txt files which has a list of decryption keys needed for each game. I'll update the platform. I removed your link since it has links to a piracy group Thank you so much! Sorry about that I was unaware, my fault.
gharchive/issue
2024-12-18T18:33:42
2025-04-01T04:33:07.747824
{ "authors": [ "Jetup13", "reianayami" ], "repo": "TapiocaFox/Daijishou", "url": "https://github.com/TapiocaFox/Daijishou/issues/742", "license": "MIT", "license_type": "permissive", "license_source": "github-api" }
2127917544
Release/v1.7.0 Purpose How does the solution address the problem Changes made prnet cleaned-up successfully
gharchive/pull-request
2024-02-09T22:13:23
2025-04-01T04:33:07.749116
{ "authors": [ "JakubFornadel", "taraxadeploy" ], "repo": "Taraxa-project/taraxa-node", "url": "https://github.com/Taraxa-project/taraxa-node/pull/2691", "license": "MIT", "license_type": "permissive", "license_source": "github-api" }
743440910
STL线程安全 What language are you using? c++ What operating system (Linux, Ubuntu, …) and version? Linux What runtime / compiler are you using (e.g. jdk version or version of gcc) gcc Make sure you include information that can help us debug (full error message, exception listing, stack trace, logs). 请教一下大佬,tars有没有提供STL的线程安全方面的参考呢。我在项目中较多使用了map,但是在多线程中容易出现map奔溃,想请问一下tars有没有提供map类似的功能或者有什么可以替代map的已实现线程安全的呢?谢谢!!! 直接加锁封装一下, 应该很容易吧?线程锁都tc库里都有, 自己封装一下难度很小 直接加锁封装一下, 应该很容易吧?线程锁都tc库里都有, 自己封装一下难度很小
gharchive/issue
2020-11-16T03:31:32
2025-04-01T04:33:07.760762
{ "authors": [ "liulinghao0421", "ruanshudong" ], "repo": "TarsCloud/Tars", "url": "https://github.com/TarsCloud/Tars/issues/830", "license": "BSD-3-Clause", "license_type": "permissive", "license_source": "github-api" }
1647480460
Use with opensource models What things in the code base would need adapted to work with a hosted or local opensource model? @jasonmhead I created a new discussion: https://github.com/TaxyAI/browser-extension/discussions/25. Do you have any models in mind already?
gharchive/issue
2023-03-30T12:02:25
2025-04-01T04:33:07.826689
{ "authors": [ "arcticfly", "jasonmhead" ], "repo": "TaxyAI/browser-extension", "url": "https://github.com/TaxyAI/browser-extension/issues/13", "license": "MIT", "license_type": "permissive", "license_source": "github-api" }
239935025
表單裡該如何使用僅有底線的輸入欄位? 我找不到它QQ,測試頁也找過了 底線的 試著直接用 .ts.underlined.input 取代 .field 中的 input 棒棒勝 notifications@github.com 於 2017年7月1日 週六 下午4:01 寫道: 我找不到它QQ,測試頁也找過了 [image: 1498895763 0701 1556] https://user-images.githubusercontent.com/16719720/27760283-2f050d9c-5e76-11e7-87f3-fde9601aea14.png 底線的 https://tocas-ui.com/elements/input/#底線的 — You are receiving this because you are subscribed to this thread. Reply to this email directly, view it on GitHub https://github.com/TeaMeow/TocasUI/issues/440, or mute the thread https://github.com/notifications/unsubscribe-auth/AG-FruDo_AHOO1UM6tpVeJEys5zrQtfmks5sJfzugaJpZM4OLQC8 . -- TeaMeow Not real but feels. http://www.TeaMeow.com/ 有了!
gharchive/issue
2017-07-01T08:01:50
2025-04-01T04:33:07.837986
{ "authors": [ "YamiOdymel", "gnehs" ], "repo": "TeaMeow/TocasUI", "url": "https://github.com/TeaMeow/TocasUI/issues/440", "license": "mit", "license_type": "permissive", "license_source": "bigquery" }
2148157696
Make SFX of Hestmor Grabbing Ledge Of A Fleshy Surface When Hestmor grabs a ledge made of Flesh, then we hear her claws dig into said flesh. Surface reference: Animation reference: Hestmor Flesh Grabs.zip @vitormaduro @Hhk187
gharchive/issue
2024-02-22T04:17:51
2025-04-01T04:33:07.855929
{ "authors": [ "Mediocre-At-Best", "Pseudo-64" ], "repo": "Team-Awkward-Smile/Epilogue", "url": "https://github.com/Team-Awkward-Smile/Epilogue/issues/424", "license": "MIT", "license_type": "permissive", "license_source": "github-api" }
1006885054
Changes the color of Azalea Leaves? For some reason when I use this it makes the azalea leaves turn colors? The leaves in my hand are the correct color, the ones on the ground is what color I turns when I put it down. I've tested it and its only Better Leaves causing the color change and it does it to vanilla and every resource pack I tried. (screenshots here) Probably related to OptiFine, I'll fix it in the next release. It's looks kinda cool however, doesn't it? :) apparently this is happening to me as well but im not using optifine i use sodium.. this is the texture pack im trying to use with it https://www.planetminecraft.com/texture-pack/cherry-blossom-trees/
gharchive/issue
2021-09-24T23:12:02
2025-04-01T04:33:07.989466
{ "authors": [ "Ermines", "Motschen", "smellydevwhocantdoanything" ], "repo": "TeamMidnightDust/BetterLeavesPack", "url": "https://github.com/TeamMidnightDust/BetterLeavesPack/issues/16", "license": "MIT", "license_type": "permissive", "license_source": "github-api" }
1950633422
🛑 rivo.lol is down In fc278f3, rivo.lol (https://pipedapi.rivo.lol/healthcheck) was down: HTTP code: 0 Response time: 0 ms Resolved: rivo.lol is back up in d052f77 after 49 minutes.
gharchive/issue
2023-10-18T20:53:56
2025-04-01T04:33:08.020420
{ "authors": [ "FireMasterK" ], "repo": "TeamPiped/piped-uptime", "url": "https://github.com/TeamPiped/piped-uptime/issues/10110", "license": "MIT", "license_type": "permissive", "license_source": "github-api" }
2035654135
🛑 simpleprivacy.fr is down In 29249b0, simpleprivacy.fr (https://pipedapi.simpleprivacy.fr/healthcheck) was down: HTTP code: 0 Response time: 0 ms Resolved: simpleprivacy.fr is back up in 88e463e after 5 hours, 25 minutes.
gharchive/issue
2023-12-11T13:13:18
2025-04-01T04:33:08.023548
{ "authors": [ "FireMasterK" ], "repo": "TeamPiped/piped-uptime", "url": "https://github.com/TeamPiped/piped-uptime/issues/12326", "license": "MIT", "license_type": "permissive", "license_source": "github-api" }
2058938915
🛑 privacydev.net is down In 2aec7bb, privacydev.net (https://api.piped.privacydev.net/healthcheck) was down: HTTP code: 502 Response time: 671 ms Resolved: privacydev.net is back up in cf47e9e after 1 hour, 50 minutes.
gharchive/issue
2023-12-28T23:30:41
2025-04-01T04:33:08.026437
{ "authors": [ "FireMasterK" ], "repo": "TeamPiped/piped-uptime", "url": "https://github.com/TeamPiped/piped-uptime/issues/12944", "license": "MIT", "license_type": "permissive", "license_source": "github-api" }
2225001569
🛑 drgns.space is down In 72f5c35, drgns.space (https://pipedapi.drgns.space/healthcheck) was down: HTTP code: 0 Response time: 0 ms Resolved: drgns.space is back up in 0b55de8 after 7 minutes.
gharchive/issue
2024-04-04T09:42:57
2025-04-01T04:33:08.028620
{ "authors": [ "FireMasterK" ], "repo": "TeamPiped/piped-uptime", "url": "https://github.com/TeamPiped/piped-uptime/issues/15953", "license": "MIT", "license_type": "permissive", "license_source": "github-api" }
2254412362
🛑 il.ax is down In 6452f2a, il.ax (https://pa.il.ax/healthcheck) was down: HTTP code: 0 Response time: 0 ms Resolved: il.ax is back up in ff756bc after 8 minutes.
gharchive/issue
2024-04-20T06:33:47
2025-04-01T04:33:08.031420
{ "authors": [ "FireMasterK" ], "repo": "TeamPiped/piped-uptime", "url": "https://github.com/TeamPiped/piped-uptime/issues/16695", "license": "MIT", "license_type": "permissive", "license_source": "github-api" }
2290923695
🛑 private.coffee is down In fa58698, private.coffee (https://api.piped.private.coffee/healthcheck) was down: HTTP code: 0 Response time: 0 ms Resolved: private.coffee is back up in 5391bd5 after 1 hour, 38 minutes.
gharchive/issue
2024-05-11T13:53:14
2025-04-01T04:33:08.034048
{ "authors": [ "FireMasterK" ], "repo": "TeamPiped/piped-uptime", "url": "https://github.com/TeamPiped/piped-uptime/issues/17635", "license": "MIT", "license_type": "permissive", "license_source": "github-api" }
2345329047
🛑 il.ax is down In 0d340ba, il.ax (https://pa.il.ax/healthcheck) was down: HTTP code: 0 Response time: 0 ms Resolved: il.ax is back up in 673227d after 54 minutes.
gharchive/issue
2024-06-11T04:01:26
2025-04-01T04:33:08.036951
{ "authors": [ "FireMasterK" ], "repo": "TeamPiped/piped-uptime", "url": "https://github.com/TeamPiped/piped-uptime/issues/18350", "license": "MIT", "license_type": "permissive", "license_source": "github-api" }
2583436632
🛑 il.ax is down In 798ad6b, il.ax (https://pa.il.ax/healthcheck) was down: HTTP code: 0 Response time: 0 ms Resolved: il.ax is back up in 9039454 after 8 minutes.
gharchive/issue
2024-10-12T21:42:41
2025-04-01T04:33:08.040066
{ "authors": [ "FireMasterK" ], "repo": "TeamPiped/piped-uptime", "url": "https://github.com/TeamPiped/piped-uptime/issues/23761", "license": "MIT", "license_type": "permissive", "license_source": "github-api" }
2584811145
🛑 private.coffee is down In 5cddd65, private.coffee (https://api.piped.private.coffee/healthcheck) was down: HTTP code: 0 Response time: 0 ms Resolved: private.coffee is back up in 3eb2ea8 after 7 minutes.
gharchive/issue
2024-10-14T05:45:48
2025-04-01T04:33:08.042388
{ "authors": [ "FireMasterK" ], "repo": "TeamPiped/piped-uptime", "url": "https://github.com/TeamPiped/piped-uptime/issues/23804", "license": "MIT", "license_type": "permissive", "license_source": "github-api" }
1766661973
🛑 leptons.xyz is down In 0474101, leptons.xyz (https://pipedapi.leptons.xyz/healthcheck) was down: HTTP code: 502 Response time: 338 ms Resolved: leptons.xyz is back up in a48587b.
gharchive/issue
2023-06-21T04:36:41
2025-04-01T04:33:08.044701
{ "authors": [ "FireMasterK" ], "repo": "TeamPiped/piped-uptime", "url": "https://github.com/TeamPiped/piped-uptime/issues/5473", "license": "MIT", "license_type": "permissive", "license_source": "github-api" }
1363385944
[Game Crash] Game is unable to launch if Logs folder is missing from game folder Describe the crash terminaloutput.txt How can you reproduce the error? Install a fresh copy of Alpha 0.4.17 LTS Linux (amd64) and run it. Screenshots/Videos No response Game Mode No response Additional Information No response Fixed in latest RC, and will be out in 4.17.1. Was a mac oopsie that slipped through. Thanks for reporting!
gharchive/issue
2022-09-06T14:33:28
2025-04-01T04:33:08.074522
{ "authors": [ "Scraticus", "SheepyChris" ], "repo": "TeamRizu/OutFox", "url": "https://github.com/TeamRizu/OutFox/issues/601", "license": "Apache-2.0", "license_type": "permissive", "license_source": "github-api" }
2447638416
is it possible to unarchive (zip/rar) from direct link? Hi Team, is it possible to unarchive (zip/rar) from direct link? like url/abc.zip (lets say that which will content series of 10 episode) it will extract/unarchive and show all 10 episode or upload that all 10 episode on folder is it possible ? this will be good feature is it possible ? Yes, it is possible. However, no new updates will be made to this repository from my side.
gharchive/issue
2024-08-05T05:34:40
2025-04-01T04:33:08.096702
{ "authors": [ "Gujjugaming2k", "TechShreyash" ], "repo": "TechShreyash/TGDrive", "url": "https://github.com/TechShreyash/TGDrive/issues/7", "license": "MIT", "license_type": "permissive", "license_source": "github-api" }
212995214
Geolocation + maps + filter by dates Add geolocation. Filter based on dates. Add google maps. Maybe we should remove that African event for the meantime... Not sure our intended audience will have the money or budget to make it there anyway. @andrewMacmurray Ready for your consideration.
gharchive/pull-request
2017-03-09T10:29:25
2025-04-01T04:33:08.102036
{ "authors": [ "ivanmauricio" ], "repo": "TechforgoodCAST/tech-for-good-near-you", "url": "https://github.com/TechforgoodCAST/tech-for-good-near-you/pull/14", "license": "mit", "license_type": "permissive", "license_source": "bigquery" }
174750062
Don’t import from React internals. ReactDOMFactories are exposed as React.DOM. Requiring from react/lib/* is not supported. 👍
gharchive/pull-request
2016-09-02T12:38:01
2025-04-01T04:33:08.115426
{ "authors": [ "elliottisonfire", "iamdustan" ], "repo": "TechniqueSoftware/react-json-schema", "url": "https://github.com/TechniqueSoftware/react-json-schema/pull/8", "license": "Apache-2.0", "license_type": "permissive", "license_source": "github-api" }
219002316
feat(package): add update notifier Once a day, DevLab will check for updates and notify the user on next run: https://www.npmjs.com/package/update-notifier Covered it. This was the 3rd sandbox I was about to instantiate, so I pulled it into test/sandbox.js instead. It isn't a magic global, but we can explicitly import it when needed. Small step in the right direction. Because I was updating index.spec.js with a sandbox test, I converted that file to use the sandbox entirely. Switched to proxyquire for checkForUpdates assertions. Thanks for the tip @Fluidbyte.
gharchive/pull-request
2017-04-03T17:16:05
2025-04-01T04:33:08.122672
{ "authors": [ "Fluidbyte", "levithomason" ], "repo": "TechnologyAdvice/DevLab", "url": "https://github.com/TechnologyAdvice/DevLab/pull/65", "license": "mit", "license_type": "permissive", "license_source": "bigquery" }
275341832
[IMP] Ensure dependencies installation replicability. Use OrderedDict instead of dict to ensure the same installation priority between builds (apt > gem > npm > pip) in build.d/200-dependencies. This change also ensures that pip install dependencies' can be installed through Debian's apt (e.g.: lxml -> libxml2-dev libxslt1-dev). As you can see, apt build dependencies are installed before all of the others: https://github.com/Tecnativa/docker-odoo-base/blob/6cc9cb892ca03c5ae95c790171af5b05d3117bec/build.d/200-dependencies#L16-L19 So is this patch really fixing something, or is it just that you were trying to use apt.txt file for what you should have used apt_build.txt? 🤔 The latter more than the former, I wrongly assumed that apt_build.txt was some kind of wrapper to allow building packages with apt-build. Anyway, I think that having one apt packages' list –that, also, ensures being executed at the beginning–, feels more comfortable to me. What do you think? The purpose of having split apt dependencies is that the build dependencies get uninstalled after installing all other dependencies, resulting in a thinner image, so that's not gonna change. About having deterministic builds... It seems a good thing, but it could be wrong too, because I think that the order of installation of all other package systems should not matter. Otherwise one could ask: why do we install always npm packages before pip ones? And I see no reason on why to choose a specific order. @lasley what do you think about this? The purpose of having split apt dependencies is that the build dependencies get uninstalled after installing all other dependencies, resulting in a thinner image, so that's not gonna change. I see what you mean, I didn't known about this snippet –that explains the purpose of apt_build.txt and why it shouldn't be removed–: https://github.com/Tecnativa/docker-odoo-base/blob/6cc9cb892ca03c5ae95c790171af5b05d3117bec/build.d/900-dependencies-cleanup#L11-L14 In any case, I still believe that it is desirable for a building process to be replicable -with or without apparent improvements-. Maybe the order could be changed to be more python-oriented (apt > pip > npm > gem). As another possible use case of this change, pip dependencies could be satisfied without the need to compile them through pip, saving some installation time. E.g., if python-numpy was installed through apt, matplotlib will have this requirement satisfied and, therefore, it won't be compiled. Otherwise one could ask: why do we install always npm packages before pip ones? And I see no reason on why to choose a specific order. @lasley what do you think about this? Hmmmm but on the flipside, what if an apt is required to both build and run a package dependency? Pretty rare, but I assume there could be such a thing - basically a Python/Node package that has to interact with a CLI due to lack of development headers. But then we run into the question of what exactly needs to be installed first? Apt is a given as first, but there's an equal chance of a Python something using a Gem, or a Gem using something Node. Or maybe this isn't an issue, because the package will be there at the end anyways and it wasn't actually a dependency? As another possible use case of this change, pip dependencies could be satisfied without the need to compile them through pip, saving some installation time. E.g., if python-numpy was installed through apt, matplotlib will have this requirement satisfied and, therefore, it won't be compiled. I take reservation to this (although it's obviously whatever you want to do for dependency management). I try to run on the absolute most updated software I can, but the pre-built dependencies are fairly out of date. Then one good solution would be to have a build argument for this. Add ARG DEPS_ORDER=apt,npm,gem,pip to the Dockefiles. Let's default to having apt first and pip last, since those 2 seem to be the most interesting for us. Of course, apt_build still must stay 1st of all and autoremove itself. This way we leave sane deafults while actually providing some value on allowing the subproject pinning the build order. The hardest part is how to test, though. How about changing to a naming convention that specifies the installer to use in addition to the order? E.g.: odoo/custom/dependencies/000-apt.txt odoo/custom/dependencies/005-apt-with-description.txt odoo/custom/dependencies/010-apt-python-reqs.txt odoo/custom/dependencies/100-pip-more-python-reqs.txt odoo/custom/dependencies/200-npm-my-node-packages.txt ... That's a damned good idea @crimoniv It seems legit, please proceed, and remember to keep backwards compatibility. 😉 Apologies for the delay! I've updated the PR with the latest changes, always ensuring backwards compatibility and including related tests. Let me know what do you think! Done! We've successfully run all tests locally, so hopefully it works now :crossed_fingers: P.S. We've also replaced an f-string with an str.format to add Python 3.5 compatibility (the current Debian stable Python version), hope you don't mind.
gharchive/pull-request
2017-11-20T12:39:15
2025-04-01T04:33:08.150239
{ "authors": [ "Yajo", "crimoniv", "lasley" ], "repo": "Tecnativa/docker-odoo-base", "url": "https://github.com/Tecnativa/docker-odoo-base/pull/100", "license": "apache-2.0", "license_type": "permissive", "license_source": "bigquery" }
688757311
add titles to the charts A title would be great as the description of respective commands in the README. I implemented it in two ways. One is using the title in the graph itself and the other is using a caption under the photo. The title reduces the height of the plotted graph. Have a look and do tell which one should I implement We can go with the first one because it looks more intuitive to me, what do you think? Going with the first one as it is better to have all the information in the graph itself.
gharchive/issue
2020-08-30T17:22:08
2025-04-01T04:33:08.156444
{ "authors": [ "baljinderxd", "gurrrung" ], "repo": "Tele-Bots/CovidBot", "url": "https://github.com/Tele-Bots/CovidBot/issues/79", "license": "MIT", "license_type": "permissive", "license_source": "github-api" }
2442636752
Creating clone always results in unused disk Issue: Disk in Unused State After Cloning Template with Terraform Description When cloning a Windows template using the PVE GUI, everything works as expected and Windows boots perfectly. However, when cloning the template using Terraform with the telmate/proxmox provider, the boot disk is in an unused state, as shown in the attached screenshot. Terraform Configuration modules/vm/main.tf terraform { required_providers { proxmox = { source = "telmate/proxmox" } } } resource "proxmox_vm_qemu" "vm" { name = var.name target_node = var.target_node clone = var.template_name full_clone = true os_type = "cloud-init" ciuser = "user" cipassword = "password" cores = var.cores sockets = 1 memory = var.memory network { bridge = "vmbr0" model = "virtio" } # disks { # scsi { # scsi1 { # disk { # storage = "cephvm" # size = var.disk_size # } # } # } # } ipconfig0 = "ip=${var.ip_address}/24,gw=${var.gateway}" nameserver = join(" ", var.dns_servers) } Steps to Reproduce Use the provided Terraform configuration to clone a Windows template. Observe that the disk is in an unused state. Expected Behavior The cloned VM should boot up with the disk properly attached, as it does when cloned via the PVE GUI. Actual Behavior The disk is in an unused state, preventing the VM from booting properly. Additional Context Proxmox Version: 8.2.2 Terraform Version: v1.7.2-dev Provider Version: v3.0.1-rc3 I have cloudbase-init installed on the Windows template. Workaround If there is a workaround or manual steps that need to be performed to resolve the issue, please describe them here. @DennisSerafin the disk has to be configured in Terraform, as Terraform will make the cloned vm as configured. Any properties that are not configured in the TF file but are carried over from the original VM are bugs or lack of implementation. @DennisSerafin if you configure a disk in the same slot as the disk from the original vm, Terraform will see that the disk is an intended part of the configuration and keep it. Do keep in mind that the configured dis has to be at least as big as the original, or else it will be recreated. @Tinyblargon, thanks for the info. The problem is, when I create the new disk the same size as the cloned disk, Terraform replaces the old one, making the disk appear empty. The disk size from the template is 80GB, and here is what I added in modules/vm/main.tf: disks { scsi { scsi0 { disk { storage = "cephvm" size = "80G" } } } } boot = "cdn" bootdisk = "scsi0" Now, the unused disk is gone, but it can't boot the OS that was installed in the template. @DennisSerafin currently we only detach the disk, so if it isn't detached it should still be tge same drive. I think boot="scsi0" and bootdisk should not be specified. @Tinyblargon I removed bootdisk = "scsi0" but unfortunately he didn't boot the disk. The vm didn´t seems to know that it has a bootable device like shown in the next screenshot: so i tried to boot manually from disk, but this didn't work eithter: i used the same .yml with the disk part. So I must be overlooking something, any ideas? just to take out mistakes: My Template has 80GB and there is Windows Server 2022 installed with Cloudbase-Init. When i Manually clone the Template, everything works as intended. thanks for the help Hello @DennisSerafin, I got the same error. And after a huge amount of time searching I got the solution from this https://github.com/Telmate/terraform-provider-proxmox/issues/770#issuecomment-1552567416 . By adding `scsihw = "virtio-scsi-pci" in 'Resource' section FYI: this is my main.tf resource "proxmox_vm_qemu" "cloudinit-test" { name = "terraform-test-vm" desc = "A test for using terraform and cloudinit" target_node = "localhost" clone = "VM 9000" agent = 1 os_type = "cloud-init" cores = 2 sockets = 1 vcpus = 0 cpu = "host" memory = 2048 scsihw = "virtio-scsi-pci" hotplug = "network,disk,usb" disks { scsi { scsi0 { disk { storage = "local-lvm" size = 12 } } } ide { ide3 { cloudinit { storage = "local-lvm" } } } } bootdisk = "scsi0" } @thiraphi thanks for your answer, unfortunately this din´t work. I think it din´t clone the Disk, it create a new Disk instead. main.tf `resource "proxmox_vm_qemu" "vm" { name = "TEST" target_node = "rhbhstp004" clone = "Template" //full_clone = true agent = 1 os_type = "cloud-init" ciuser = "User" cipassword = "Password" cores = "4" sockets = 1 memory = "8096" scsihw = "virtio-scsi-pci" hotplug = "network,disk,usb" network { bridge = "vmbr0" model = "virtio" } disks { scsi { scsi0 { disk { storage = "cephvm" size = "80G" } } } ide { ide3 { cloudinit { storage = "cephvm" } } } } bootdisk = "scsi0" } ` it dint´t boot from disk. It seems like the Disk is empty. the Template: and when i manually clone the Template, everything works as expected @DennisSerafin Can you try to create a new template by following the steps in this doc? I think the issue is related to the VirtIO SCSI controller. After I added --scsihw virtio-scsi-pci when creating the template, it worked. @thiraphi thanks for your answer, unfortunately this din´t work. I think it din´t clone the Disk, it create a new Disk instead. main.tf resource "proxmox_vm_qemu" "vm" { name = "TEST" target_node = "rhbhstp004" clone = "Template" //full_clone = true agent = 1 os_type = "cloud-init" ciuser = "User" cipassword = "Password" cores = "4" sockets = 1 memory = "8096" scsihw = "virtio-scsi-pci" hotplug = "network,disk,usb" network { bridge = "vmbr0" model = "virtio" } disks { scsi { scsi0 { disk { storage = "cephvm" size = "80G" } } } ide { ide3 { cloudinit { storage = "cephvm" } } } } bootdisk = "scsi0" } it dint´t boot from disk. It seems like the Disk is empty. the Template: and when i manually clone the Template, everything works as expected This worked for me on a linux install. I was trying a bunch of things but the disk was always unmounted, thank you for this!
gharchive/issue
2024-08-01T14:32:24
2025-04-01T04:33:08.210814
{ "authors": [ "DennisSerafin", "Tinyblargon", "mammalmaster", "thiraphi" ], "repo": "Telmate/terraform-provider-proxmox", "url": "https://github.com/Telmate/terraform-provider-proxmox/issues/1067", "license": "MIT", "license_type": "permissive", "license_source": "github-api" }
1463053352
feat(Input): enrich attributes 🤔 这个 PR 的性质是? [x] 新特性提交 [x] 文档改进 [x] 演示代码改进 [x] 组件样式/交互改进 📝 更新日志 feat(Input): 完成 status 和 tips 属性开发 feat(Input): 新增 layout、clearableIconProps、suffixIconProps、 prefixIconProps属性 feat(Input): 新增 CSS Variables feat(Input): 外部样式新增 t-class-tips break(Input): 外部样式类 t-class-icon 变更为 t-class-prefix-icon break(Input): size 属性默认值变更为 medium chore(Input): 移除 errorMessage 属性相关代码 冲突了
gharchive/pull-request
2022-11-24T09:41:47
2025-04-01T04:33:08.305268
{ "authors": [ "LeeJim", "anlyyao" ], "repo": "Tencent/tdesign-miniprogram", "url": "https://github.com/Tencent/tdesign-miniprogram/pull/1109", "license": "MIT", "license_type": "permissive", "license_source": "github-api" }
1404949259
[upload] 自定义上传方法在theme=“image”时展示错误 tdesign-vue-next 版本 0.24.1 重现链接 https://tdesign.tencent.com/vue-next/components/upload#自定义上传方法 重现步骤 官方示例 upload自定义上传方法,定义theme="image" 时 没有按照图片类型展示, 见下截图 期望结果 No response 实际结果 No response 框架版本 No response 浏览器版本 No response 系统版本 No response Node版本 No response 补充说明 根据目前提供的信息,无法定位问题。如果希望我们解决问题,辛苦提供可复现问题的链接,而非简单的一个官网地址。 超过时间回复,issue 将会被关闭。 https://stackblitz.com/run?file=src%2Fdemo.vue 可以在这个链接里面复现一下你说的问题,ctrl + s 保存代码后,把新的链接写上。 图片没有正常显示的可能:检查自定义上传方法返回的 response 数据结构是否符合预期 补充链接 https://stackblitz.com/edit/angular-5dxlfh?file=src%2Fdemo.vue 点击图片上传后,展示的格式不对, response 内容都是固定的 https://stackblitz.com/edit/angular-5dxlfh-7vaxv8?file=src%2Fdemo.vue 这里有一个正确的示例,试试看 非常感谢
gharchive/issue
2022-10-11T16:51:28
2025-04-01T04:33:08.311353
{ "authors": [ "chaishi", "qihuantian1" ], "repo": "Tencent/tdesign-vue-next", "url": "https://github.com/Tencent/tdesign-vue-next/issues/1844", "license": "MIT", "license_type": "permissive", "license_source": "github-api" }
1098927672
DatePicker日期选择器,时间段选择弹窗优化 如图,在限定时间选择范围后(限定当前时间之前),右侧的所有时间都不可选择,对操作不友好。 希望在检测到右侧选择框所有时间不能选择的情况下,时间选择框能前移一个月从01~02变成12~01。或者允许用户自定义选择上月~本月或本月~下月两种模式。 收到,@Athenaqin 这里细节在优化过程可以考虑 感谢建议。 这里不可点的日期,没有帮用户跳转到可点处:1是考虑到有些日期禁用 是需要让用户看到 明确哪里是不可点,以便了解限制条件;2是 即便自动跳转,用户不了解跳转前提,也有再点回查看 平添一步操作。 关于是否加「用户自定义选择月区间」,由于不同区间的诉求较为多元,通用demo不适合定义具体区间数值,提供“自定义标签”,可以根据不同业务设置选项,可以看看是否能满足需求。 同时,我们也正在重构日期选择器的设计,以上问题 如有更好的解决办法,我们也会在新demo中提供。
gharchive/issue
2022-01-11T09:51:59
2025-04-01T04:33:08.314035
{ "authors": [ "Athenaqin", "pattybaby110", "zvrh" ], "repo": "Tencent/tdesign-vue", "url": "https://github.com/Tencent/tdesign-vue/issues/217", "license": "MIT", "license_type": "permissive", "license_source": "github-api" }
1091067593
fix(table): 在表格有筛选列的时候,lastFullRow和firstFullRow保持一致,不显示用户传入的内容 Component Name: Describe what kind of issues you've done. [pr#xxx](pr url),[issue#xxx](issue url),[your github name](your github homepage) 组件名称:处理问题或特性描述,pr#xxx,issue#xxx,[贡献者姓名](贡献者 github 主页) Input: 修复清除数据后没有聚焦的问题,pr#91,issue#90,@clark-cui brefore ..... after ...... 此处没必要保持一致,最后一行的通行,一般不会用于过滤行的显示。 再有,后期还会考虑 过滤行 和 首行通行 同时存在的情况
gharchive/pull-request
2021-12-30T12:12:45
2025-04-01T04:33:08.318494
{ "authors": [ "chaishi", "xiecz123" ], "repo": "Tencent/tdesign-vue", "url": "https://github.com/Tencent/tdesign-vue/pull/145", "license": "MIT", "license_type": "permissive", "license_source": "github-api" }
1613672135
カメラを切り替える 所詮UI用の平行投影カメラとworld用の透視投影カメラの二つしかいらないので、uniform bufferを二つ作るのが良さそう。 uniform bufferの切り替えは、ModelData::paramかDescriptorSetで(どうせimage textureを切り替えるので)。 一つのuniformに並べて、paramで切り替える。N個のimage textureのためにN個のdescriptor setを作る必要があるので、カメラ用にuniformを二つ作ると、2*N個のdescriptor setが必要で流石に無駄なので。 #4 で実装済。
gharchive/issue
2023-03-07T15:19:14
2025-04-01T04:33:08.346146
{ "authors": [ "Tengu712" ], "repo": "Tengu712/Fireball", "url": "https://github.com/Tengu712/Fireball/issues/1", "license": "CC0-1.0", "license_type": "permissive", "license_source": "github-api" }
558480640
Anyway to get notified when group member changes nickname? Hi Tercioo, First off thank you for your amazing add-ons, use and love many of them! I am the current maintainer of the add-on VuhDo, a unit frame add-on targeted primarily at healers. I've added support for NickTag nicknames to display in lieu of player names. However, I didn't see anything in your docs about being explicitly notified when a group member changes their nickname. Is there a way to do this today? Thanks again! Yeah, it'd be nice if NickTag_Update was fired when receiving new nicknames and included changed character original name if not unit
gharchive/issue
2020-02-01T04:45:12
2025-04-01T04:33:08.379122
{ "authors": [ "Ivaria", "d87" ], "repo": "Tercioo/NickTag-1.0", "url": "https://github.com/Tercioo/NickTag-1.0/issues/1", "license": "MIT", "license_type": "permissive", "license_source": "github-api" }
2061017752
🛑 Terra Isles Website is down In 9e073c7, Terra Isles Website (https://www.terraisles.com) was down: HTTP code: 405 Response time: 37 ms Resolved: Terra Isles Website is back up in 7a61e4a after 26 minutes.
gharchive/issue
2023-12-31T10:41:47
2025-04-01T04:33:08.397821
{ "authors": [ "Tecwizard" ], "repo": "Terra-Isles-Roleplay/TRP-Status", "url": "https://github.com/Terra-Isles-Roleplay/TRP-Status/issues/1221", "license": "MIT", "license_type": "permissive", "license_source": "github-api" }
1746317320
🛑 Arma 3 Server is down In cb0357c, Arma 3 Server (https://arma3-servers.net/api/?object=servers&element=detail&key=$ARMA3_API) was down: HTTP code: 200 Response time: 479 ms Resolved: Arma 3 Server is back up in 979b182.
gharchive/issue
2023-06-07T16:54:50
2025-04-01T04:33:08.400311
{ "authors": [ "Tecwizard" ], "repo": "Terra-Isles-Roleplay/TRP-Status", "url": "https://github.com/Terra-Isles-Roleplay/TRP-Status/issues/228", "license": "MIT", "license_type": "permissive", "license_source": "github-api" }
182290920
loginInfo returns null when authenticate with salesforce Hi, I am currently running the demo app provided by OwinOAuthProviders. I uncomment here https://github.com/TerribleDev/OwinOAuthProviders/blob/master/OwinOAuthProvidersDemo/App_Start/Startup.Auth.cs#L127-L148 and add id and secret. When I click login, I can see the salesforce authentication page. After I click allow, it redirects me to the login page. The issue is here https://github.com/TerribleDev/OwinOAuthProviders/blob/master/OwinOAuthProvidersDemo/Controllers/AccountController.cs#L208, loginInfo is null. But when I test with the googlePlus login, it's not null and redirects me to the register page. This is happening the same in my own app. Can someone help? Thanks Hi I find something interesting. Here https://github.com/TerribleDev/OwinOAuthProviders/blob/master/src/Owin.Security.Providers.Salesforce/SalesforceAuthenticationOptions.cs#L126, if I set scope as new List{"email"}, it's working. Since the set for scope is private, I cannot override this in demo app. I am guessing something has been changed that salesforce is requiring "email" now? @diwu86 you could do Scope.Add("email") since private set does not protect against mutation. This was actually done on purpose so people could add to the scopes, but not replace the actual list object. thanks @TerribleDev It's working now.
gharchive/issue
2016-10-11T15:10:04
2025-04-01T04:33:08.414286
{ "authors": [ "TerribleDev", "diwu86" ], "repo": "TerribleDev/OwinOAuthProviders", "url": "https://github.com/TerribleDev/OwinOAuthProviders/issues/182", "license": "mit", "license_type": "permissive", "license_source": "bigquery" }
860892798
Depth of Tree 📚 Documentation I would like to add an article for depth of tree. Have you read the Contributing Guidelines on Pull Requests? Yes @HarshCasper @iamrajiv Kindly assign this to me.
gharchive/issue
2021-04-19T04:56:21
2025-04-01T04:33:08.441405
{ "authors": [ "Saatvik21" ], "repo": "TesseractCoding/NeoAlgo-Docs", "url": "https://github.com/TesseractCoding/NeoAlgo-Docs/issues/392", "license": "MIT", "license_type": "permissive", "license_source": "github-api" }
680667280
(CH20) Implementation of Hill Cipher 🚀 Feature Implementation of - Hill cipher Have you read the Contributing Guidelines on Pull Requests? Yes. Motivation One of the most common and important cryptographic techniques, which is quite interesting to implement at the same time. Pitch Cryptography is very essential for security and these algorithms might provide some insights on it. Languages Supported: C CPP Python [@sharanya02] Java C# JavaScript GO @Kajol-Kumari @SKAUL05 @Abhijit2505 @plazzy99 9 @siddharth25pandey Can you please add the relevant labels to it and assign the issue to me. I would like to work on it with python.Thank you! @sharanya02 Go Ahead with Hill Cipher in Python. Can I work on this in c++? @SwagataJ go with c++ Hey, @plazzy99 I would like to do it in Golang. @GajjarMiten go ahead with golang @plazzy99 I would like to work in C. @SangeetaMishra go with C Happy Coding!!
gharchive/issue
2020-08-18T03:50:12
2025-04-01T04:33:08.447304
{ "authors": [ "GajjarMiten", "SKAUL05", "SangeetaMishra", "SwagataJ", "plazzy99", "sharanya02" ], "repo": "TesseractCoding/NeoAlgo", "url": "https://github.com/TesseractCoding/NeoAlgo/issues/548", "license": "MIT", "license_type": "permissive", "license_source": "github-api" }
774875336
Stock span problem shifted to stack section Have you read the Contributing Guidelines on Pull Requests? Yes Description #1600 was merged New stack section created later Problem shifted to stack section Checklist [x] I've read the contribution guidelines. [x] I've checked the issue list before deciding what to submit. [x] I've edited the README.md and link to my code. Related Issues or Pull Requests #1600 Please note that either of PR #1711 or #1601 will have merge conflict when the other is merged is first. It would be resolved by me by simply editing the readme
gharchive/pull-request
2020-12-26T13:32:15
2025-04-01T04:33:08.450464
{ "authors": [ "gargVader" ], "repo": "TesseractCoding/NeoAlgo", "url": "https://github.com/TesseractCoding/NeoAlgo/pull/1711", "license": "MIT", "license_type": "permissive", "license_source": "github-api" }
2182744478
Serverside hidden activities Very epic Rust code. Probably not very good looking and I will be sticking with TS from now. Adds support for hiding activities for specific projects. This has been implemented client-side with hashes on the VSCode extension but I'd personally prefer to myself see the projects with names. Currently hidden projects can't be distinguished from each other and they will all have a empty string as the project name along with "hidden": true. Additionally would it be possible for you or someone else (@Eldemarkki) to implement the funcitonality to the Frontend side so that we can enable it immediately after merging?
gharchive/pull-request
2024-03-12T21:43:04
2025-04-01T04:33:08.452904
{ "authors": [ "lajp", "raikasdev" ], "repo": "Testaustime/testaustime-backend", "url": "https://github.com/Testaustime/testaustime-backend/pull/112", "license": "MIT", "license_type": "permissive", "license_source": "github-api" }
1491322585
🛑 Proxy is down In ac83fa7, Proxy (https://proxy.tetragg.com) was down: HTTP code: 0 Response time: 0 ms Resolved: Proxy is back up in 6f31d64.
gharchive/issue
2022-12-12T08:43:09
2025-04-01T04:33:08.464432
{ "authors": [ "TetraGG" ], "repo": "TetraGG/Upptime", "url": "https://github.com/TetraGG/Upptime/issues/127", "license": "MIT", "license_type": "permissive", "license_source": "github-api" }
1560720522
🛑 Nextcloud is down In f221fa6, Nextcloud (https://nextcloud.tetragg.com) was down: HTTP code: 0 Response time: 0 ms Resolved: Nextcloud is back up in 9b1b3b6.
gharchive/issue
2023-01-28T06:37:24
2025-04-01T04:33:08.466666
{ "authors": [ "TetraGG" ], "repo": "TetraGG/Upptime", "url": "https://github.com/TetraGG/Upptime/issues/6432", "license": "MIT", "license_type": "permissive", "license_source": "github-api" }
1561042678
🛑 Jellyfin is down In ce8dc87, Jellyfin (https://jellyfin.tetragg.com) was down: HTTP code: 0 Response time: 0 ms Resolved: Jellyfin is back up in 24662d3.
gharchive/issue
2023-01-28T22:56:55
2025-04-01T04:33:08.468938
{ "authors": [ "TetraGG" ], "repo": "TetraGG/Upptime", "url": "https://github.com/TetraGG/Upptime/issues/6547", "license": "MIT", "license_type": "permissive", "license_source": "github-api" }
1580023441
🛑 Nextcloud is down In f63dd5d, Nextcloud (https://nextcloud.tetragg.com) was down: HTTP code: 0 Response time: 0 ms Resolved: Nextcloud is back up in 7399537.
gharchive/issue
2023-02-10T16:50:55
2025-04-01T04:33:08.471218
{ "authors": [ "TetraGG" ], "repo": "TetraGG/Upptime", "url": "https://github.com/TetraGG/Upptime/issues/8483", "license": "MIT", "license_type": "permissive", "license_source": "github-api" }
1587537486
🛑 Proxmox is down In fc7003b, Proxmox (https://pve.tetragg.com) was down: HTTP code: 0 Response time: 0 ms Resolved: Proxmox is back up in e6e6a8f.
gharchive/issue
2023-02-16T11:50:53
2025-04-01T04:33:08.473469
{ "authors": [ "TetraGG" ], "repo": "TetraGG/Upptime", "url": "https://github.com/TetraGG/Upptime/issues/9197", "license": "MIT", "license_type": "permissive", "license_source": "github-api" }
190347845
fix #15 解决 #15 不能跳转的问题。 嗯,这里我处理得略显粗糙没 :smirk:,其实是针对标题有英文引号的问题而去的空格,我改进一下再补上
gharchive/pull-request
2016-11-18T15:33:50
2025-04-01T04:33:08.479900
{ "authors": [ "TevinLi", "mikusjelly" ], "repo": "TevinLi/amWiki", "url": "https://github.com/TevinLi/amWiki/pull/16", "license": "mit", "license_type": "permissive", "license_source": "bigquery" }
1096951438
add method for get Funding Wallet asset balances Thomas, hi! Now adding # https://binance-docs.github.io/apidocs/spot/en/#funding-wallet-user_data # Not can be used for Spot Test Network, for real SPOT market only async def fetch_funding_wallet(self, asset=None, need_btc_valuation=None, receive_window=None): and fix Issue 29 Regard's, Jerry. Awesome, thank you! 👍✋
gharchive/pull-request
2022-01-08T15:04:24
2025-04-01T04:33:08.499449
{ "authors": [ "DogsTailFarmer", "Th0rgal" ], "repo": "Th0rgal/binance.py", "url": "https://github.com/Th0rgal/binance.py/pull/32", "license": "MIT", "license_type": "permissive", "license_source": "github-api" }
2594135329
Tool for isolating graphical elements and export to valid IFC Description 📝 Currently there is a bug in the IFC parser which leaves some faces of some models unrendered. To alleviate this issue I would like to share affected files for debugging purposes, but I am not allowed to share the files as is because it's considered a valuable asset. Suggested solution 💡 Create a tool where we could decimate an IFC and easily isolate the problematic areas exported as a separate IFC-file. This file would be unrecognizable and thus sharable. Preferably the tools would also strip off any metadata and properties and only leave the geometry to assure there is no sensitive information in the isolated file. Alternative ⛕ No response Additional context ☝️ This feature would help solve ThatOpen/engine_web-ifc#927 Validations ✅ [X] Read the docs. [X] Check that there isn't already an issue that requests the same feature to avoid creating a duplicate. @agviegas Hi. I think about this approach. Load IFC file Select elements to Isolate Extract fragments from the selected elements Remove all unnecessary information(properties) from the fragments. Generate new temporary FragmentGroups with the extracted fragments Save the FragmentGroups into a file Let me know what you think about this. Hey @superman90113 here is that we need to output an IFC file, not a fragment file. So ideally the conversion should happen without generating the fragments for the IFC file, as they are not necessary and would consume resources. IMO we need something like: const result = splitIfc(ifcFile, idsToExtract); Hi @agviegas I have managed to get time to implement the feature. I have worked in a single file with web-ifc library imported. How can I add the function here, so that you can check? Hey @superman90113 that's great! You can create a new class in the IFC folder and do something similar to the IFC to JSON exporter Hi @agviegas I've created a new class IFCIsolator and implemented the feature on my local. How can I upload this class to send you" Hey, can you create a PR? Thanks! Hi, @agviegas Let me know the feedback if you reviewed the implementation. Thank you! @superman90113 hi sorry I didn't have time to review it until now, I'll let you know asap. Thanks! Hi, @agviegas! Good to see that my pull request is accepted. I think you will need to add corresponding pages to the doc and examples? Regards.
gharchive/issue
2024-10-17T09:21:24
2025-04-01T04:33:08.522225
{ "authors": [ "MarcusAndreasSvensson", "agviegas", "superman90113" ], "repo": "ThatOpen/engine_components", "url": "https://github.com/ThatOpen/engine_components/issues/514", "license": "MIT", "license_type": "permissive", "license_source": "github-api" }
1801343462
Vehicle Counter Using OpenCV Is your feature request related to a problem? Please describe. The roads are filled with vehicles all over, which causes traffic. Describe the solution you'd like I would like to make a counter of the vehicles to make it easy to know the traffic and whether it is worthy to take that route. Describe alternatives you've considered No response Additional context Under GSSOC'23, please assign me this task. Code of Conduct [X] I agree to follow this project's Code of Conduct @Tisha6661 - you can go ahead! We are assigning you 21 days for this project, after which it will be assigned to someone else if not completed. All the best! Name the file as: algorithm_dataset.ipynb and link it in the readme of the labeled directory as algorithm - dataset. @khusheekapoor I have created a pull request regarding this task, please verify and merge it.
gharchive/issue
2023-07-12T16:25:35
2025-04-01T04:33:08.539104
{ "authors": [ "Tisha6661", "khusheekapoor" ], "repo": "The-Data-Alchemists-Manipal/MindWave", "url": "https://github.com/The-Data-Alchemists-Manipal/MindWave/issues/664", "license": "MIT", "license_type": "permissive", "license_source": "github-api" }
1474232280
Crash during Global Routing Resizer Timing Optimizations Description I am currently trying to reharden a design for submission to GFMPW-0. While this previously worked well, now I get a crash during Global Routing Resizer Timing Optimizations. The design can be found under https://github.com/mole99/caravel_wfg_gf180/tree/ol-issue in the branch ol-issue. Edit: The issue appeared after I updated my design to tag gfmpw-0d of caravel_user_project. Expected Behavior To successfully finish the flow. Environment report $ python3 ./env.py issue-survey Kernel: Linux v6.0.0-5-amd64 Distribution: debian Python: v3.10.8 (OK) Container Engine: docker v20.10.21+dfsg1 (OK) OpenLane Git Version: 235fa7a4a2872e779588919c58fc4fa32568e075 pip: INSTALLED python-venv: INSTALLED --- PDK Version Verification Status: OK --- Git Log (Last 3 Commits) 235fa7a 2022-11-28T17:17:32+02:00 [BOT] Update PDK (#1516) - Openlane Bot - (grafted, HEAD, tag: 2022.11.29) --- Git Remotes origin https://github.com/The-OpenROAD-Project/OpenLane (fetch) origin https://github.com/The-OpenROAD-Project/OpenLane (push) Reproduction material issue_reproducible.tar.gz Command to run: make user_project_wrapper Relevant log output [STEP 9] [INFO]: Running Global Routing Resizer Timing Optimizations (log: ../home/leo/Dokumente/workspace_gf_mpw0/caravel_wfg_gf180/openlane/user_project_wrapper/runs/22_12_03_21_14/logs/routing/9-resizer.log)... [ERROR]: during executing openroad script /openlane/scripts/openroad/resizer_routing_timing.tcl [ERROR]: Log: ../home/leo/Dokumente/workspace_gf_mpw0/caravel_wfg_gf180/openlane/user_project_wrapper/runs/22_12_03_21_14/logs/routing/9-resizer.log [ERROR]: Last 10 lines: 35# 0x00007F98D5761F1E in /lib64/libtcl8.5.so 36# Tcl_EvalEx in /lib64/libtcl8.5.so 37# Tcl_Eval in /lib64/libtcl8.5.so 38# sta::sourceTclFile(char const*, bool, bool, Tcl_Interp*) in openroad 39# ord::tclAppInit(Tcl_Interp*) in openroad 40# Tcl_Main in /lib64/libtcl8.5.so 41# main in openroad 42# __libc_start_main in /lib64/libc.so.6 43# 0x0000000000CABE77 in openroad child killed: SIGABRT [ERROR]: Creating issue reproducible... [INFO]: Saving runtime environment... OpenLane TCL Issue Packager EFABLESS CORPORATION AND ALL AUTHORS OF THE OPENLANE PROJECT SHALL NOT BE HELD LIABLE FOR ANY LEAKS THAT MAY OCCUR TO ANY PROPRIETARY DATA AS A RESULT OF USING THIS SCRIPT. THIS SCRIPT IS PROVIDED ON AN "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND. BY USING THIS SCRIPT, YOU ACKNOWLEDGE THAT YOU FULLY UNDERSTAND THIS DISCLAIMER AND ALL IT ENTAILS. Parsing config file(s)… Setting up /home/leo/Dokumente/workspace_gf_mpw0/caravel_wfg_gf180/openlane/user_project_wrapper/runs/22_12_03_21_14/issue_reproducible… [WRN] /home/leo/Dokumente/workspace_gf_mpw0/caravel_wfg_gf180/openlane/user_project_wrapper/runs/22_12_03_21_14/tmp/9-user_project_wrapper.sdc was not found, might be a product. Skipping Done. [INFO]: Reproducible packaged: Please tarball and upload '../home/leo/Dokumente/workspace_gf_mpw0/caravel_wfg_gf180/openlane/user_project_wrapper/runs/22_12_03_21_14/issue_reproducible' if you're going to submit an issue. [INFO]: Saving current set of views in '../home/leo/Dokumente/workspace_gf_mpw0/caravel_wfg_gf180/openlane/user_project_wrapper/runs/22_12_03_21_14/results/final'... [INFO]: Generating final set of reports... [INFO]: Created manufacturability report at '../home/leo/Dokumente/workspace_gf_mpw0/caravel_wfg_gf180/openlane/user_project_wrapper/runs/22_12_03_21_14/reports/manufacturability.rpt'. [INFO]: Created metrics report at '../home/leo/Dokumente/workspace_gf_mpw0/caravel_wfg_gf180/openlane/user_project_wrapper/runs/22_12_03_21_14/reports/metrics.csv'. [INFO]: Saving runtime environment... [ERROR]: Flow failed. This test case is not properly packaged: Error: resizer_routing_timing.tcl, 15 cannot read file /home/leo/Dokumente/workspace_gf_mpw0/dependencies/pdks/gf180mcuC/libs.ref/gf180mcu_fd_ip_sram/liberty/gf180mcu_fd_ip_sram__sram512x8m8wm1__tt_025C_5v00.lib. I got it working and I'll fix the crash. However your macro placement is outside the core area which you need to fix:
gharchive/issue
2022-12-03T20:55:49
2025-04-01T04:33:08.568007
{ "authors": [ "maliberty", "mole99" ], "repo": "The-OpenROAD-Project/OpenLane", "url": "https://github.com/The-OpenROAD-Project/OpenLane/issues/1543", "license": "Apache-2.0", "license_type": "permissive", "license_source": "github-api" }
1855076618
FP_PDN_CFG Met3 and Met4 not connecting to macro's defined power rails Description I have a basic building block of a macro that I want to connect to the PDN rails. The macro is analog and adiabatic in nature which uses trapezoidal wave as power. VDD rail (Met3) in this macro is floating and is there to satisfy PDN_MACRO_HOOKS. GND rail (Met3) is planned to be connected to analog ground either via vssa or GPIO pin for external ground. All of this is done with the caravel_user_project_analog. All the input and output pins are recognized properly by flow.tcl and are connected. The following image shows a graphic of the macro and the main VDD and GND rail not connected. Yellow highlight should be the main PDN rails for the buffer and decaps. I made, renamed and point to a copy of pdn_cfg.tcl to have the following: -grid macro \ -layers "met3 met4" Openlane seems to refuse connect to the macro's GND or VDD rail which causes lvs mismatch with macro's VDD rail. LVS reports pin list matches. I have tried making a separate ground pin for the macro's GND rail. Openlane connects to the pin but lvs fails at matching the netlist for VDD so I shelved that and continued with its current iteration. Expected Behavior Openlane to recognize macro's VDD and GND rail (Met3) and no netlist mismatch. Environment report Kernel: Linux v6.2.0-26-generic Distribution: ubuntu 22.04 Python: v3.11.3 (OK) Container Engine: docker v24.0.5 (OK) OpenLane Git Version: d054702b2cce04761cc2bc598f6b95c9d8ca7c6c pip: INSTALLED python-venv: INSTALLED --- PDK Version Verification Status: OK --- Git Log (Last 3 Commits) d054702 2023-07-19T16:09:15+03:00 remove `unset_propagated_clock` (#1908) - passant5 - (grafted, HEAD, tag: 2023.07.19) --- Git Remotes origin https://github.com/The-OpenROAD-Project/OpenLane (fetch) origin https://github.com/The-OpenROAD-Project/OpenLane (push) Reproduction material current_state_08172023.zip Original layout is generated with Klayout and can be found in Klayout_GDS folder. Magic used to read the GDS file lef command: lef write bitfour_EESPFAL -tech -hide 200 -toplayer -pinonly 200 magic used to write GDS file and used for blackbox macro located in GDS folder Makefile included in the folder belongs to ~/caravel_user_project_analog/openlane/ and is a copy of caravel_user_project/openlane/ makefile. make openlane was executed in caravel_user_project_analog with export OPENLANE_TAG=2023.07.19 make blackbox_test_2 to run Relevant log output [STEP 40] [INFO]: Running LVS (log: ../home/jchin2/caravel_user_project_analog/openlane/blackbox_test_2/runs/23_08_17_09_13/logs/signoff/40-lvs.lef.log)... [ERROR]: There are LVS errors in the design: See '../home/jchin2/caravel_user_project_analog/openlane/blackbox_test_2/runs/23_08_17_09_13/reports/signoff/40-blackbox_test_2.lvs.rpt' for a summary and '../home/jchin2/caravel_user_project_analog/openlane/blackbox_test_2/runs/23_08_17_09_13/logs/signoff/40-lvs.lef.log' for details. [ERROR]: Step 40 (lvs) failed with error: -code 1 -level 0 -errorcode NONE -errorinfo { while executing "throw_error" (procedure "quit_on_lvs_error" line 13) invoked from within "quit_on_lvs_error -rpt $count_lvs_rpt -log $log" (procedure "run_lvs" line 76) invoked from within "run_lvs" (procedure "run_lvs_step" line 10) invoked from within "run_lvs_step"} -errorline 1 With the default configuration, vertical met4 stripes have a high pitch. There is no vertical met4 stripe that is passing through the macro. This is the cause of your LVS issue. If you decrease the vertical pitch by changing FP_PDN_VPICTCH to, for example, 50, it will connect to the macro. This can be changed through FP_PDN_VPITCH. Note: Inside your macro itself. VDD is unconnected. Thank you for looking into the issue. VDD is there as a floating pin, to fulfill pdn_macro_hooks pins and nets requirements. I have confirmed it has connected on my end! Follow up questions, would it be wise to make direct changes to the copy for pdn_cfg.tcl (pdn_cfg_here.tcl) such as -pitch $::env(FP_PDN_VPITCH) to be -pitch $::env(50) for a limited change? Another question is this macro has a digital counterpart where we also want it to have it's own ground for external power measurements. Would assigning the current macro and its digital version to vssa1 and vssa2 respectively be possible? Or it is recommended to have dummy pins like how VDD is existing within the current macro? Thank you for looking into the issue. VDD is there as a floating pin, to fulfill pdn_macro_hooks pins and nets requirements. I have confirmed it has connected on my end! Follow up questions, would it be wise to make direct changes to the copy for pdn_cfg.tcl (pdn_cfg_here.tcl) such as -pitch $::env(FP_PDN_VPITCH) to be -pitch $::env(50) for a limited change? In general, it is better to use variables and avoid having hard coded values. So I advise against using -pitch $::env(50). Would assigning the current macro and its digital version to vssa1 and vssa2 respectively be possible? Or it is recommended to have dummy pins like how VDD is existing within the current macro? I am not sure that I follow. Do you mean you want to have two ground domains and assign a different ground for each macro ? Do you mean you want to have two ground domains and assign a different ground for each macro ? That's the idea. We want to be able to measure the two macro's power in their own domain. We have thought of having the macro's ground to GPIO pins for better way to access/measure them. I was wondering how caravel's vssa1 and vssa2 are connected. We will be using verilog to control input and output signals going in and out of the macros. The adiabatic macro's output signal is trapezoidal in nature while the digital counterpart is a rect wave. To sum it up, the input-output-control-verilog code is powered using vccd1 and vssd1 rails. While the macros will be via GPIO pins. I see in the caravel harness documentation https://caravel-harness.readthedocs.io/en/latest/pinout.html , there is user area 1 and user area 2. The question is would having the macros use vssa1 and vssa2 achieve the same thing as using GPIO pins as ground? Hi @kareefardi , I made some changes to the PDN rails and the ground pin name for the macro. I want the macro's ground to be connected to a GPIO pin where I named it GND_gpio. The PDN rails VDD and GND are now floating pins. Currently the LVS error is it saying circuit 1 netlist doesn't match. The strange thing is openlane connects the pin properly which can be seen in the following image but netlist is not same...? I have included the .zip file in this message. I'm pretty certain the PDN has been taken care of since openlane connects to the floating VDD and GND rails. Would you mind checking it? current_state_08192023.zip
gharchive/issue
2023-08-17T14:03:08
2025-04-01T04:33:08.581832
{ "authors": [ "jchin2", "kareefardi" ], "repo": "The-OpenROAD-Project/OpenLane", "url": "https://github.com/The-OpenROAD-Project/OpenLane/issues/1947", "license": "Apache-2.0", "license_type": "permissive", "license_source": "github-api" }
1557960041
data structure https://github.com/The-Poolz/DelayVault/blob/2072e822d653ed01a2375536e703501dd5011c75/contracts/DelayData.sol#L7-L11 what if, we make the data like this : mapping(address => uint[]) public Users; mapping(address => TokenInfo) public Tokens; mapping(unit =>Vault) public Vaults struct TokenInfo { DelayLimit delayLimit unit[] users } StartWithdrawals Does any one know why we make it?
gharchive/issue
2023-01-26T10:53:45
2025-04-01T04:33:08.583962
{ "authors": [ "Lomet" ], "repo": "The-Poolz/DelayVault", "url": "https://github.com/The-Poolz/DelayVault/issues/50", "license": "MIT", "license_type": "permissive", "license_source": "github-api" }
1978445244
chore: update actions/checkout from v3 to v4 This PR updates the used version of actions/checkout from v3 to v4 (currently the newest one). Hmm, I wonder why https://github.com/JohnnyMorganz/stylua-action still uses v3 then. Probably forgot to update. Seems to be fine though.
gharchive/pull-request
2023-11-06T07:10:52
2025-04-01T04:33:08.592643
{ "authors": [ "appgurueu", "vil02" ], "repo": "TheAlgorithms/Lua", "url": "https://github.com/TheAlgorithms/Lua/pull/9", "license": "MIT", "license_type": "permissive", "license_source": "github-api" }
1698869031
🛑 Truenas WebUI is down In f412e80, Truenas WebUI (truenas.lawcloud.page) was down: HTTP code: 0 Response time: 0 ms Resolved: Truenas WebUI is back up in ef6b4ff.
gharchive/issue
2023-05-07T03:15:56
2025-04-01T04:33:08.623530
{ "authors": [ "TheBlankness" ], "repo": "TheBlankness/uptime-lawcloud", "url": "https://github.com/TheBlankness/uptime-lawcloud/issues/149", "license": "MIT", "license_type": "permissive", "license_source": "github-api" }
809185689
How do I run a Before step before multiple tests (by using multiple tags)? How do I run a Before step before multiple tests (by using multiple tags)? In the example given in the docs, I can run this step before tests tagged with @foo: // this will only get called before scenarios tagged with `@foo` Before({ tags: "@foo" }, () => { beforeWithTagCounter += 1; }); What if I want to run this step before tests tagged with @foo and @bar? Can you use the or-operator, as described in Cucumber's documentation? If you mean something like this, I tried and it did not work: Before({ tags: "@foo and @bar" }, () => { doSomething(); }); No, like this. Before({ tags: "@foo or @bar" }, () => { doSomething(); }); No, like this. Before({ tags: "@foo or @bar" }, () => { doSomething(); }); Yeah, that worked. Thank you, @badeball . I'm glad! I'm then considering this closed for now.
gharchive/issue
2021-02-16T10:30:05
2025-04-01T04:33:08.629184
{ "authors": [ "DanielStoica85", "DlDanielStoica", "badeball" ], "repo": "TheBrainFamily/cypress-cucumber-preprocessor", "url": "https://github.com/TheBrainFamily/cypress-cucumber-preprocessor/issues/511", "license": "MIT", "license_type": "permissive", "license_source": "github-api" }
2110466544
[FEATURE] Allow for actions with no validators (no parameters) Are you using the latest version of this library? [X] I verified that the issue exists in the latest next-safe-action release Is there an existing issue for this? [X] I have searched the existing issues and found nothing that matches Suggest an idea I'd like to be able to use next-safe-action without needing to pass any schema as an input to the first parameter. This could be accomplished by send undefined as the first parameter. Additional context If maintainers of this repo think this would be a good idea, I would like to try to work on this one. Thank you! You can pass z.void() as schema, assuming you're using Zod for validation. Check out the comment I left in this issue. Please let me know if this fixes your problem, thank you! You can pass z.void() as schema, assuming you're using Zod for validation. Check out the comment I left in this issue. Please let me know if this fixes your problem, thank you! Thank you! It worked perfectly! Didn't know this existed
gharchive/issue
2024-01-31T16:16:02
2025-04-01T04:33:08.682246
{ "authors": [ "TheEdoRan", "dBianchii" ], "repo": "TheEdoRan/next-safe-action", "url": "https://github.com/TheEdoRan/next-safe-action/issues/59", "license": "MIT", "license_type": "permissive", "license_source": "github-api" }
704803359
Update ninja_vehicle.json Figured out why this wasn't working, fixed it. Spawned vehicles in, they seem to work. Tatami floors in vehicles are a # symbol, can't get Looks Like to function with them properly, but vehicles themselves are fine. Haven't updated other vehicles to new vehicle template standard yet, was bashing my head against them trying to make them work. there are a few jsons like this unfortunately Yeah, I've started trying to keep an eye out for them now that I know what to look for.
gharchive/pull-request
2020-09-19T05:02:32
2025-04-01T04:33:08.691587
{ "authors": [ "DrPariah", "TheGoatGod" ], "repo": "TheGoatGod/Goats-Mod-Compilation", "url": "https://github.com/TheGoatGod/Goats-Mod-Compilation/pull/181", "license": "Apache-2.0", "license_type": "permissive", "license_source": "github-api" }
1462298917
Add Nexus support for correct/incorrect i tried im sorry im noob pls lmk if theres anything i should change actually wait theres one more thing to change maybe
gharchive/pull-request
2022-11-23T19:29:51
2025-04-01T04:33:08.729848
{ "authors": [ "Graywing13" ], "repo": "TheJoseph98/AMQ-Scripts", "url": "https://github.com/TheJoseph98/AMQ-Scripts/pull/33", "license": "MIT", "license_type": "permissive", "license_source": "github-api" }
752491195
Typo in lang file en.json Hey, thank you for making this system for foundry. We found a typo while playing but were able to modify the json file and fix it, wanted to give a heads up. under lang/en.json, line 10 there's a typo for Alertness, the display value is "Alerness" 10 > "DG.Skills.alertness": "Alterness", Should be changed to "Alertness" Thanks, I'll get that fixed Just released version 0.9.7 which should have this fix in it.
gharchive/issue
2020-11-27T22:25:04
2025-04-01T04:33:08.736498
{ "authors": [ "TheLastScrub", "roestrei" ], "repo": "TheLastScrub/delta-green-foundry-vtt-system-unofficial", "url": "https://github.com/TheLastScrub/delta-green-foundry-vtt-system-unofficial/issues/19", "license": "MIT", "license_type": "permissive", "license_source": "github-api" }
2355724447
🛑 Forgejo is down In 45a6757, Forgejo (https://forgejo.sny.sh) was down: HTTP code: 0 Response time: 0 ms Resolved: Forgejo is back up in a60b8d0 after 15 minutes.
gharchive/issue
2024-06-16T12:14:32
2025-04-01T04:33:08.738829
{ "authors": [ "TheLastZombie" ], "repo": "TheLastZombie/upptime", "url": "https://github.com/TheLastZombie/upptime/issues/2432", "license": "MIT", "license_type": "permissive", "license_source": "github-api" }
1865691064
🛑 Tent is down In 610771c, Tent (https://tent.sny.sh) was down: HTTP code: 0 Response time: 0 ms Resolved: Tent is back up in de2716e after 29 days, 5 hours, 58 minutes.
gharchive/issue
2023-08-24T18:39:52
2025-04-01T04:33:08.741139
{ "authors": [ "TheLastZombie" ], "repo": "TheLastZombie/upptime", "url": "https://github.com/TheLastZombie/upptime/issues/246", "license": "MIT", "license_type": "permissive", "license_source": "github-api" }
1221990370
최신 버전으로 업데이트 했는데도, 최신 버전으로 업데이트하라는 메시지를 출력합니다. 최신 버전으로 업데이트 했는데도, 최신 버전으로 업데이트하라는 메시지를 출력합니다. [11:19:13 INFO]: [L-Clearlag] Enabling L-Clearlag v1.6.0 [11:19:13 INFO]: [L-Clearlag] §aFound of en_us system language! // [11:20:20 INFO]: [L-Clearlag] §a[L-CLEARLAG] The plugin is operating on that server! [11:20:20 WARN]: [L-Clearlag] §eA new version of the plugin is available for download! ( 1.6.0 ) [11:20:20 WARN]: [L-Clearlag] https://www.spigotmc.org/resources/clearlag.98464/ 최신 버전으로 업데이트 했는데도, 최신 버전으로 업데이트하라는 메시지를 출력합니다. [11:19:13 INFO]: [L-Clearlag] Enabling L-Clearlag v1.6.0 [11:19:13 INFO]: [L-Clearlag] §aFound of en_us system language! // [11:20:20 INFO]: [L-Clearlag] §a[L-CLEARLAG] The plugin is operating on that server! [11:20:20 WARN]: [L-Clearlag] §eA new version of the plugin is available for download! ( 1.6.0 ) [11:20:20 WARN]: [L-Clearlag] https://www.spigotmc.org/resources/clearlag.98464/ 늦게 답변드려 죄송합니다. 아직도 이 현상이 일어나시나요? 네 여러번 재설치 했지만 여전히 같은 증상입니다. 네 여러번 재설치 했지만 여전히 같은 증상입니다. 수정후 업데이트 하도록 하겠습니다 감사합니다
gharchive/issue
2022-05-01T02:32:07
2025-04-01T04:33:08.749094
{ "authors": [ "TheMiniLuca", "itcools" ], "repo": "TheMiniLuca/Clearlag", "url": "https://github.com/TheMiniLuca/Clearlag/issues/3", "license": "Apache-2.0", "license_type": "permissive", "license_source": "github-api" }
823377170
Migrate to sound null safety Describe the solution you'd like Migrate to sound null safety. Flutter 2.0 supports null safety. Would be great if this package provides this feature as well. Maybe even just do a version bump for the dependencies. Otherwise a lot of projects won't be able to use this package if there are conflicts. For example, this package is not can not be used with the newest version of dio because they depend on different http versions which are incompatible. PR #24 will do 👌, Successfully migrated to null safety, waiting to be merged with the main branch. Thanks for the contribution, @WaleedAlrashed
gharchive/issue
2021-03-05T20:05:58
2025-04-01T04:33:08.751267
{ "authors": [ "TheMisir", "WaleedAlrashed", "mixable", "sebastianbuechler" ], "repo": "TheMisir/flutter-listutils", "url": "https://github.com/TheMisir/flutter-listutils/issues/23", "license": "MIT", "license_type": "permissive", "license_source": "github-api" }