repo stringlengths 7 67 | org stringlengths 2 32 ⌀ | issue_id int64 780k 941M | issue_number int64 1 134k | pull_request dict | events list | text_size int64 0 279k | bot_issue bool 1 class | modified_by_bot bool 2 classes | user_count int64 1 77 | event_count int64 1 191 | modified_usernames bool 2 classes |
|---|---|---|---|---|---|---|---|---|---|---|---|
PurpleI2P/i2pd | PurpleI2P | 157,320,747 | 504 | null | [
{
"action": "opened",
"author": "radfish",
"comment_id": null,
"datetime": 1464411534000,
"masked_author": "username_0",
"text": "i2pd is probably using the bind address in the URL. This works if the bind address is 127.0.0.1 and browser is on same host, or if bind is the local LAN address and browser is on LAN, but is not correct if bind address is 0.0.0.0.\r\n\r\nInstead, i2pd should get the hostname from headers sent by the browser in its requests. Then, use this hostname whenever it has to construct a URL.",
"title": "HTTP proxy redirects to 0.0.0.0:7070/?page=jumpservices",
"type": "issue"
},
{
"action": "created",
"author": "orignal",
"comment_id": 222302544,
"datetime": 1464432814000,
"masked_author": "username_1",
"text": "It's not in a header, it should take it from local endpoint",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "hagen-i2p",
"comment_id": 222572142,
"datetime": 1464656926000,
"masked_author": "username_2",
"text": "It's temporary solution, proxy refactoring still in process.\r\n\r\nJumservices should be moved directly to proxy error page. Instead \"addressbook\" page should be added to webconsole.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "xcps",
"comment_id": 228488058,
"datetime": 1466810871000,
"masked_author": "username_3",
"text": "I made a temporary solution.",
"title": null,
"type": "comment"
},
{
"action": "closed",
"author": "xcps",
"comment_id": null,
"datetime": 1466812093000,
"masked_author": "username_3",
"text": "",
"title": null,
"type": "issue"
}
] | 647 | false | false | 4 | 5 | false |
civisanalytics/go-makefile | civisanalytics | 131,730,957 | 1 | {
"number": 1,
"repo": "go-makefile",
"user_login": "civisanalytics"
} | [
{
"action": "opened",
"author": "christophermanning",
"comment_id": null,
"datetime": 1454700051000,
"masked_author": "username_0",
"text": "",
"title": "Add Code of Conduct",
"type": "issue"
},
{
"action": "created",
"author": "jeffreyc",
"comment_id": 180517647,
"datetime": 1454701144000,
"masked_author": "username_1",
"text": "LGTM.",
"title": null,
"type": "comment"
}
] | 5 | false | false | 2 | 2 | false |
keras-team/keras | keras-team | 271,189,411 | 8,385 | null | [
{
"action": "opened",
"author": "danhper",
"comment_id": null,
"datetime": 1509799418000,
"masked_author": "username_0",
"text": "I have a model with two inputs, each encoded using different embeddings.\r\nWhen I do not used pretrained weights, I get the expected graph:\r\n\r\n\r\n\r\n\r\nWhen I use pretrained weights, the graph has an unexpected edge between the LSTM of the first input and the embedding of the second one:\r\n\r\n\r\nI think `lstm_1` and `embedding_2` should not be connected here.\r\n\r\n`model.summary` does not give any information about this connection either:\r\n\r\n```\r\n\r\nLayer (type) Output Shape Param # Connected to\r\n==================================================================================================\r\ninput_1 (InputLayer) (None, 50) 0\r\n\r\ninput_2 (InputLayer) (None, 50) 0\r\n\r\nembedding_1 (Embedding) (None, 50, 10) 1000 input_1[0][0]\r\n\r\nembedding_2 (Embedding) (None, 50, 10) 1000 input_2[0][0]\r\n\r\nlstm_1 (LSTM) (None, 100) 44400 embedding_1[0][0]\r\n\r\nlstm_2 (LSTM) (None, 100) 44400 embedding_2[0][0]\r\n\r\nconcatenate_1 (Concatenate) (None, 200) 0 lstm_1[0][0]\r\n lstm_2[0][0]\r\n\r\ndense_1 (Dense) (None, 64) 12864 concatenate_1[0][0]\r\n\r\ndense_2 (Dense) (None, 1) 65 dense_1[0][0]\r\n==================================================================================================\r\nTotal params: 103,729\r\nTrainable params: 103,729\r\nNon-trainable params: 0\r\n\r\n```\r\n\r\nHere is a small example reproducing the issue:\r\n\r\n```python\r\nimport numpy as np\r\n\r\nfrom keras.models import Input, Model\r\nfrom keras.layers import Embedding, LSTM, Dense, concatenate\r\nfrom keras.callbacks import TensorBoard\r\n\r\nPRETRAINED = True\r\n\r\ndef make_encoder():\r\n model_input = Input(shape=(50,), dtype=\"int32\")\r\n weights = [np.random.uniform(size=(100, 10))] if PRETRAINED else None\r\n x = Embedding(100, 10, weights=weights)(model_input)\r\n x = LSTM(100)(x)\r\n return model_input, x\r\n\r\ninput1, output1 = make_encoder()\r\ninput2, output2 = make_encoder()\r\n\r\nx = concatenate([output1, output2])\r\nx = Dense(64)(x)\r\nmain_output = Dense(1, activation=\"sigmoid\")(x)\r\n\r\nmodel = Model(inputs=[input1, input2], outputs=main_output)\r\nmodel.compile(optimizer=\"rmsprop\",\r\n loss=\"binary_crossentropy\",\r\n metrics=[\"accuracy\"])\r\n\r\ndata1 = np.random.randint(0, 100, size=(100, 50))\r\ndata2 = np.random.randint(0, 100, size=(100, 50))\r\ntargets = np.random.randint(0, 2, size=(100,))\r\n\r\nmodel.summary()\r\nmodel.fit([data1, data2], targets, callbacks=[TensorBoard()])\r\n```\r\n\r\nchanging `PRETRAINED` to `False` gives the correct graph.\r\n\r\nThe issue occurs with the latest version of Keras and both Tensorflow 1.3 and 1.4.\r\nAfter trying older versions of Keras, the issue seems to be present from 2.0.4.\r\nKeras 2.0.3 gives the expected graph. \r\n\r\nPlease let me know if I am missing something.\r\n\r\nThank you.",
"title": "Wrong graph with pretrained embeddings",
"type": "issue"
},
{
"action": "closed",
"author": "fchollet",
"comment_id": null,
"datetime": 1624573319000,
"masked_author": "username_1",
"text": "",
"title": null,
"type": "issue"
}
] | 3,242 | false | false | 2 | 2 | false |
soffes/RateLimit | null | 109,363,250 | 15 | {
"number": 15,
"repo": "RateLimit",
"user_login": "soffes"
} | [
{
"action": "opened",
"author": "AnthonyMDev",
"comment_id": null,
"datetime": 1443726471000,
"masked_author": "username_0",
"text": "When the `execute` method is called, but the block was not called, because the rate limit had not been reached, the execution time was still being recorded. This would cause the block to never be called if the `execute` method was continually called too quickly. The execution time should only be recorded on a successful execution.",
"title": "Fixed bug where limit was being reset when the block was not executed",
"type": "issue"
},
{
"action": "created",
"author": "AnthonyMDev",
"comment_id": 144823060,
"datetime": 1443727566000,
"masked_author": "username_0",
"text": "I just realized that this is also fixed by #13, I think the syntax for fixing this bug is slightly cleaner in this PR. Also, #16 depends on this PR, so if you plan on pulling #16, you can actually just close this and #13.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "soffes",
"comment_id": 255173853,
"datetime": 1476984777000,
"masked_author": "username_1",
"text": "Thanks so much! Reworked a bit to make sure accessing the dictionary happens in the queue to avoid threading race conditions.",
"title": null,
"type": "comment"
}
] | 678 | false | false | 2 | 3 | false |
cloudfoundry/bosh-utils | cloudfoundry | 209,084,190 | 13 | {
"number": 13,
"repo": "bosh-utils",
"user_login": "cloudfoundry"
} | [
{
"action": "opened",
"author": "Fydon",
"comment_id": null,
"datetime": 1487668767000,
"masked_author": "username_0",
"text": "As mentioned in #10 there is still a problem when using rename across drives in Windows. This error occurs when using `bosh-cli add-blobs`.",
"title": "Move across drives in Windows",
"type": "issue"
},
{
"action": "created",
"author": "cppforlife",
"comment_id": 300630679,
"datetime": 1494455207000,
"masked_author": "username_1",
"text": "@fydon can you please add a windows specific mover_test.go",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "Fydon",
"comment_id": 300703518,
"datetime": 1494486893000,
"masked_author": "username_0",
"text": "@username_1 Sure I can try. How would I go about doing this across two drives? I assume that these would need to be real, rather than fake_file_system?",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "cppforlife",
"comment_id": 301640758,
"datetime": 1494894297000,
"masked_author": "username_1",
"text": "@username_0 i think it will be fine to use fake file sys just like we do for other branches in this class: https://github.com/cloudfoundry/bosh-utils/blob/master/fileutil/mover_test.go#L48",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "Fydon",
"comment_id": 301725721,
"datetime": 1494926630000,
"masked_author": "username_0",
"text": "@username_1 Sure. I copied that context and its tests and used the Windows specific error. Are those tests correct?",
"title": null,
"type": "comment"
}
] | 647 | false | true | 2 | 5 | true |
aspnet/Home | aspnet | 107,359,660 | 936 | null | [
{
"action": "opened",
"author": "ahmetalpbalkan",
"comment_id": null,
"datetime": 1442702808000,
"masked_author": "username_0",
"text": "https://github.com/aspnet/Home/tree/dev/samples/latest\r\n\r\nthis is not the latest one... the ENTRYPOINT in the dockerfile is simply wrong (pre-beta7).\r\n\r\nPlease use symlinks to point to the latest... someone already got confused by this at https://github.com/aspnet/aspnet-docker/issues/92\r\n\r\nI would like to also remind you that you should have a release document with well defined steps. The human errors around the `samples/` directory is just very frequent. @username_1 @danroth27 @Eilon",
"title": "samples/latest is not really the latest",
"type": "issue"
},
{
"action": "created",
"author": "glennc",
"comment_id": 142692851,
"datetime": 1443033718000,
"masked_author": "username_1",
"text": "Latest isn't a copy of one of the existing Betas, it is supposed to update as we make breaking changes and then be effectively snapshotted as we do a release, so I'm not sure I understand where symlinks come in. Am I missing something?",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "ahmetalpbalkan",
"comment_id": 142698572,
"datetime": 1443034920000,
"masked_author": "username_0",
"text": "@username_1 so instead of copying all the contents of `samples/1.0.0-betaN` into `samples/latest` in each release, you can make a symlink and at each release change the symlink to the latest version's directory.\r\n\r\nSo the current snapshot of `samples/latest` is this: https://github.com/aspnet/Home/tree/615efcc78e813d52b513adb412d8757e9bf011a4/samples/latest It is older than beta7 (hence does not work in beta7 due to breaking changes) and the user at #92 practically got confused by the instructions in the documentation saying \"use samples/latest\"... If the `samples/latest` directory was indeed \"latest\" this wouldn't be happening.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "tlk",
"comment_id": 142733822,
"datetime": 1443043488000,
"masked_author": "username_2",
"text": "Have you considered using git branches?",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "ahmetalpbalkan",
"comment_id": 142735591,
"datetime": 1443043826000,
"masked_author": "username_0",
"text": "I think folders are easier to navigate and we already have tags for snapshotting purposes. I feel -1 for multile branches as discovering them and navigation is pretty difficult.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "glennc",
"comment_id": 142739417,
"datetime": 1443044697000,
"masked_author": "username_1",
"text": "The copy is supposed to be the other way around. Latest is copied to beta8 when beta8 is released.\r\n\r\nLatest is supposed to be maintained as we make breaking changes. So it always works with * dependencies. It doesn't appear that it has been in this release which is really the problem here.\r\n\r\nWe had branches in the past and it was too confusing for people to navigate. They didn't know what to do. However, latest might be a bad name as well. dev or nightly or something might give more of an idea of its intent.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "ahmetalpbalkan",
"comment_id": 142740800,
"datetime": 1443045100000,
"masked_author": "username_0",
"text": ":+1: also the instructions are saying users should use latest folder to build the docker image, but the base image Dockerfile uses is a stable image (ie previous version) so if there's a breaking change it is very likely users will hit problems if they use \"latest\" samples. Calling them \"nightly\" and not sending users there from the documentation is a good idea.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "glennc",
"comment_id": 143070185,
"datetime": 1443135117000,
"masked_author": "username_1",
"text": "I looked at what is required of the Dockerfile for latest and sent a PR with changes I think will work. Can you guys have a look and tell me if I'm crazy?\r\n\r\nI can't see how the old Dockerfile would've ever been ok for what latest is.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "ahmetalpbalkan",
"comment_id": 143070413,
"datetime": 1443135212000,
"masked_author": "username_0",
"text": "@username_1 looks neat, if you have verified it works, then it should be fine :+1:",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "glennc",
"comment_id": 143070763,
"datetime": 1443135292000,
"masked_author": "username_1",
"text": "I run it on my machine. Not sure why we ever did the copy of the project.json then copy the rest and run. That seems less than optimal. I will update the other sample and it should be good.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "glennc",
"comment_id": 143278439,
"datetime": 1443199921000,
"masked_author": "username_1",
"text": "Merged. Closing. Thanks for reporting and talking about this one all :)",
"title": null,
"type": "comment"
},
{
"action": "closed",
"author": "glennc",
"comment_id": null,
"datetime": 1443199921000,
"masked_author": "username_1",
"text": "",
"title": null,
"type": "issue"
}
] | 3,020 | false | false | 3 | 12 | true |
galetahub/ckeditor | null | 95,105,348 | 591 | null | [
{
"action": "opened",
"author": "ccfiel",
"comment_id": null,
"datetime": 1436935620000,
"masked_author": "username_0",
"text": "I have tried to used s3 in uploading files. The file was successfully uploaded in the s3 bucket but the link that the ckeditor is not correct. \r\nckeditor url is this\r\nhttps://s3.amazonaws.com/tinda/var/app/current/public/ckeditor_assets/pictures/6/content_untitled.png\r\nbut it should be \r\nhttps://tinda.s3.amazonaws.com/var/app/current/public/ckeditor_assets/pictures/6/content_untitled.png\r\n\r\n\r\nany ideas?",
"title": "using AWS s3 for upload files",
"type": "issue"
},
{
"action": "created",
"author": "cytomich",
"comment_id": 121517682,
"datetime": 1436945896000,
"masked_author": "username_1",
"text": "@username_0 which gem you use for store files? paperclip, carrierwave or dragonfly?\r\nMaybe problem in asset model options?",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "ccfiel",
"comment_id": 121518633,
"datetime": 1436946069000,
"masked_author": "username_0",
"text": "@username_1 Solve the problem. You are right. I just change the attachment_file and picture model options.",
"title": null,
"type": "comment"
},
{
"action": "closed",
"author": "ccfiel",
"comment_id": null,
"datetime": 1436946070000,
"masked_author": "username_0",
"text": "",
"title": null,
"type": "issue"
},
{
"action": "created",
"author": "bo-oz",
"comment_id": 234524547,
"datetime": 1469188363000,
"masked_author": "username_2",
"text": "Could you share how you fixed this? I have the same issue with CKEditor & Paperclip.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "Duleja",
"comment_id": 327775180,
"datetime": 1504784590000,
"masked_author": "username_3",
"text": "Try this for Picture model:\r\n\r\nhas_attached_file :data,\r\n :url => \":s3_alias_url\",\r\n :path => 'ckeditor/pictures/:id/:style_:basename.:extension',\r\n :styles => { content: '800>', thumb: '118x100#' },\r\n :s3_host_alias => \"your CloudFront domain\"\r\n\r\nFor AttachmentFile.rb do the same just change your path and remove styles options...",
"title": null,
"type": "comment"
}
] | 1,056 | false | false | 4 | 6 | true |
Parallels/vagrant-parallels | Parallels | 105,013,575 | 212 | null | [
{
"action": "opened",
"author": "dogweather",
"comment_id": null,
"datetime": 1441441793000,
"masked_author": "username_0",
"text": "Can anyone offer anecdotes or benchmarks for Linux as the guest OS on Parallels? It's easy to find Windows benchmarks comparing the Parallels versions, but not with Linux. I'm considering whether to upgrade from 10 to 11.",
"title": "Just wondering: performance of Parallels 11 vs. 10?",
"type": "issue"
},
{
"action": "created",
"author": "legal90",
"comment_id": 143234775,
"datetime": 1443190371000,
"masked_author": "username_1",
"text": "There is some kind of benchmark for Parallels Desktop + Vagrant, but there is no data about version 11 yet: https://github.com/username_2/vagrant-virtualbox-vs-parallels\r\n\r\n@username_2, could you please run your tests with new Parallels Desktop 11?",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "adri",
"comment_id": 143418736,
"datetime": 1443264411000,
"masked_author": "username_2",
"text": "There you go https://github.com/username_2/vagrant-virtualbox-vs-parallels",
"title": null,
"type": "comment"
},
{
"action": "closed",
"author": "legal90",
"comment_id": null,
"datetime": 1443301728000,
"masked_author": "username_1",
"text": "",
"title": null,
"type": "issue"
},
{
"action": "created",
"author": "legal90",
"comment_id": 143495813,
"datetime": 1443301728000,
"masked_author": "username_1",
"text": "@username_2 Thank you very much!",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "dogweather",
"comment_id": 143506619,
"datetime": 1443313020000,
"masked_author": "username_0",
"text": "Excellent @username_2 ! Thank you",
"title": null,
"type": "comment"
}
] | 578 | false | false | 3 | 6 | true |
este/este | este | 107,904,946 | 481 | null | [
{
"action": "opened",
"author": "ronag",
"comment_id": null,
"datetime": 1443009716000,
"masked_author": "username_0",
"text": "Sorry, I'm a little lost I can't find where the react component hot reload is injected. Can't find `react-hot-loader` in webpack config nor a `react-transform-hmr` in babel config.",
"title": "How is hot reload added?",
"type": "issue"
},
{
"action": "closed",
"author": "ronag",
"comment_id": null,
"datetime": 1443009753000,
"masked_author": "username_0",
"text": "",
"title": null,
"type": "issue"
},
{
"action": "created",
"author": "grabbou",
"comment_id": 142582717,
"datetime": 1443010818000,
"masked_author": "username_1",
"text": "babel config :D",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "ronag",
"comment_id": 142586197,
"datetime": 1443012054000,
"masked_author": "username_0",
"text": "Yes, I just missed that there is 2 babel configs.",
"title": null,
"type": "comment"
}
] | 244 | false | false | 2 | 4 | false |
cms-sw/cmssw | cms-sw | 161,699,061 | 14,951 | {
"number": 14951,
"repo": "cmssw",
"user_login": "cms-sw"
} | [
{
"action": "opened",
"author": "makortel",
"comment_id": null,
"datetime": 1466605894000,
"masked_author": "username_0",
"text": "The check for `Track::seedRef()` availability in MultiTrackValidator, added in #14248, was not sufficient. This omission leads to an exception from missing product in the MTV standalone mode ([SWGuideMultiTrackValidator#cmsDriver_MTV_alone_i_e_standalo](https://twiki.cern.ch/twiki/bin/view/CMSPublic/SWGuideMultiTrackValidator#cmsDriver_MTV_alone_i_e_standalo)). Requiring explicitly the availability of the seed product fixes the exception. Thanks to @username_2 for reporting the bug.\r\n\r\nTested in CMSSW_8_1_0_pre6, no changes expected in standard workflows.\r\n\r\n@rovere @username_1",
"title": "Fix to MultiTrackValidator standalone mode",
"type": "issue"
},
{
"action": "created",
"author": "VinInn",
"comment_id": 228316456,
"datetime": 1466765727000,
"masked_author": "username_1",
"text": "@cmsbuild , please test",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "ebrondol",
"comment_id": 228479847,
"datetime": 1466807875000,
"masked_author": "username_2",
"text": "@username_3 is it possible to fit also this in pre8? It would be useful (with another PR that I am testing now) to fix the validation for the phase2 tracking.. We just discover the issue today.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "kpedro88",
"comment_id": 228480219,
"datetime": 1466807998000,
"masked_author": "username_3",
"text": "@davidlange6 this seems to be a one-line bug fix, would be nice to put in pre8.\r\n\r\n@dmitrijus, @vanbesien please review and sign if possible (I realize it's short notice, but it seems to be a straightforward change).",
"title": null,
"type": "comment"
}
] | 1,008 | false | true | 4 | 4 | true |
dmvaldman/samsara | null | 163,534,428 | 55 | {
"number": 55,
"repo": "samsara",
"user_login": "dmvaldman"
} | [
{
"action": "opened",
"author": "jd-carroll",
"comment_id": null,
"datetime": 1467491298000,
"masked_author": "username_0",
"text": "",
"title": "Create `off` method to de-register from upstream events",
"type": "issue"
},
{
"action": "created",
"author": "jd-carroll",
"comment_id": 230123137,
"datetime": 1467495339000,
"masked_author": "username_0",
"text": "I don't see why this is failing..\r\n```\r\n...\r\nonScriptLoad@file:///home/travis/build/username_1/samsara/test/vendor/require.js:30:186: undefined is not an object (evaluating 'this.upstream[i].off')\r\n```\r\n\r\nShouldn't all upstream objects have an `off`?",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "dmvaldman",
"comment_id": 230205651,
"datetime": 1467608694000,
"masked_author": "username_1",
"text": "Found the problem. Thought I was the only one who messed up for loop expressions, but now there's two of us ;-)\r\n\r\nPut up some more tests, and this PR (with the fixes) passes them. So looking forward to merging in the fixed version.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "jd-carroll",
"comment_id": 230319981,
"datetime": 1467648236000,
"masked_author": "username_0",
"text": "Should be all set.\r\n\r\nThe best is when I write syntactically correct loops from Java / .Net / JS in the wrong language...",
"title": null,
"type": "comment"
}
] | 602 | false | false | 2 | 4 | true |
FasterXML/jackson-core | FasterXML | 139,671,234 | 256 | null | [
{
"action": "opened",
"author": "Veske",
"comment_id": null,
"datetime": 1457550503000,
"masked_author": "username_0",
"text": "I upgraded a project from jackson 2.4.4 to 2.7.1. The older version had a class BytesToNameCanonicalizer that was used. The version 2.7.1 does not have it anymore. \r\n\r\nWas the class removed at some point of development and if so then are there any alternatives?",
"title": "BytesToNameCanonicalizer does not exist",
"type": "issue"
},
{
"action": "created",
"author": "cowtowncoder",
"comment_id": 194468669,
"datetime": 1457551910000,
"masked_author": "username_1",
"text": "@username_0 yes, it was replaced by `ByteQuadsCanonicalizer`, added in 2.6 (and `CharsToNameCanonicalizer`).",
"title": null,
"type": "comment"
},
{
"action": "closed",
"author": "Veske",
"comment_id": null,
"datetime": 1457559467000,
"masked_author": "username_0",
"text": "",
"title": null,
"type": "issue"
}
] | 365 | false | false | 2 | 3 | true |
gmr/consulate | null | 75,361,903 | 34 | null | [
{
"action": "opened",
"author": "inhumantsar",
"comment_id": null,
"datetime": 1431379287000,
"masked_author": "username_0",
"text": "foobar\r\n \r\n $ pip show consulate\r\n ---\r\n Metadata-Version: 2.0\r\n Name: consulate\r\n Version: 0.4.0\r\n Summary: A Client library for the Consul\r\n Home-page: https://consulate.readthedocs.org\r\n Author: Gavin M. Roy\r\n Author-email: gavinr@aweber.com\r\n License: BSD\r\n Location: /Library/Python/2.7/site-packages\r\n Requires: requests\r\n \r\n $ python --version\r\n Python 2.7.6\r\n \r\n $ uname -a\r\n Darwin martins.local 14.3.0 Darwin Kernel Version 14.3.0: Mon Mar 23 11:59:05 PDT 2015; root:xnu-2782.20.48~5/RELEASE_X86_64 x86_64\r\n \r\n $ sw_vers -productVersion\r\n 10.10.3",
"title": "Python claims that session.kv.set_record() has no 'replace' keyword argument.",
"type": "issue"
},
{
"action": "created",
"author": "inhumantsar",
"comment_id": 101070136,
"datetime": 1431385063000,
"masked_author": "username_0",
"text": "So it appears that readthedoc's \"latest\" != \"latest stable\" (ie 0.4.0) but rather, the master branch where development is happening. This runs counter to expected behaviour. Take the *boto* project for example. They use \"latest\" on RTD to display documentation for the version that is \"latest\" in the pip repos, which is what the vast majority of people will be looking for. \r\n\r\nThis isn't a bug in the library itself so I'm going to change the title to match. \r\n\r\nNew request: It would be helpful to have the docs display the version they're referencing, though defaulting to \"latest stable\" rather than the development branch would make the most sense.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "gmr",
"comment_id": 101475133,
"datetime": 1431479898000,
"masked_author": "username_1",
"text": "Bummer, that's annoying. I'll update RTD.",
"title": null,
"type": "comment"
},
{
"action": "closed",
"author": "gmr",
"comment_id": null,
"datetime": 1431479983000,
"masked_author": "username_1",
"text": "",
"title": null,
"type": "issue"
},
{
"action": "created",
"author": "gmr",
"comment_id": 101475266,
"datetime": 1431479983000,
"masked_author": "username_1",
"text": "Updated to use \"stable\" in RTD which is pointing to 0.4.0 at the time of this comment. Sorry for the trouble.",
"title": null,
"type": "comment"
}
] | 1,426 | false | false | 2 | 5 | false |
webdriverio/webdriverio | webdriverio | 183,988,428 | 1,655 | {
"number": 1655,
"repo": "webdriverio",
"user_login": "webdriverio"
} | [
{
"action": "opened",
"author": "fustic",
"comment_id": null,
"datetime": 1476889468000,
"masked_author": "username_0",
"text": "## Proposed changes\r\n\r\nI cloned the repo and run ```npm install```. It appeared that eslint:target failed on 2 lines.\r\nI fixed them according to eslint rules.\r\n\r\n## Types of changes\r\n\r\nWhat types of changes does your code introduce to WebdriverIO?\r\n_Put an `x` in the boxes that apply_\r\n\r\n- [x] Bugfix (non-breaking change which fixes an issue)\r\n- [ ] New feature (non-breaking change which adds functionality)\r\n- [ ] Breaking change (fix or feature that would cause existing functionality to not work as expected)\r\n\r\n## Checklist\r\n\r\n_Put an `x` in the boxes that apply. You can also fill these out after creating the PR. If you're unsure about any of them, don't hesitate to ask. We're here to help! This is simply a reminder of what we are going to look for before merging your code._\r\n\r\n- [x] I have read the [CONTRIBUTING](/CONTRIBUTING.md) doc\r\n- [ ] I have added tests that prove my fix is effective or that my feature works\r\n- [ ] I have added necessary documentation (if appropriate)\r\n\r\n## Further comments\r\n\r\n### Reviewers: @username_1",
"title": "fix 2 errors reported by eslint:target",
"type": "issue"
},
{
"action": "created",
"author": "christian-bromann",
"comment_id": 254852995,
"datetime": 1476891790000,
"masked_author": "username_1",
"text": "thanks 👍",
"title": null,
"type": "comment"
}
] | 1,059 | false | false | 2 | 2 | true |
phonegap/phonegap-plugin-contentsync | phonegap | 116,762,780 | 90 | null | [
{
"action": "opened",
"author": "abonec",
"comment_id": null,
"datetime": 1447418813000,
"masked_author": "username_0",
"text": "Is there feature to delete installed update?",
"title": "Need feature to delete installed update",
"type": "issue"
},
{
"action": "created",
"author": "macdonst",
"comment_id": 156424436,
"datetime": 1447419090000,
"masked_author": "username_1",
"text": "@username_0 do you mean remove all the content at a sync location or roll back the latest merge?",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "abonec",
"comment_id": 156424814,
"datetime": 1447419209000,
"masked_author": "username_0",
"text": "I mean delete whole directory with downloaded and extracted update by ID or by full path.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "macdonst",
"comment_id": 156608173,
"datetime": 1447466595000,
"masked_author": "username_1",
"text": "As of 1.2.0 of the plugin both Android & iOS store their data in the path represented by `cordova.file.dataDirectory` so you can use the File plugin to remove your cached data.\r\n\r\n```\r\nwindow.resolveLocalFileSystemURL(cordova.file.dataDirectory + id, function (dirEntry) {\r\n dirEntry. removeRecursively(function() {\r\n // success\r\n }, function(error) {\r\n // error\r\n });\r\n} function(e) {\r\n // handle error\r\n});\r\n```",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "CookieCookson",
"comment_id": 156987902,
"datetime": 1447670924000,
"masked_author": "username_2",
"text": "Would there be a way in the future to have this functionality included without requiring the file plugin? I'm using the id as a way of keeping track what update version is running, so would be awesome if there was a function which 'cleans up' old IDs.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "burin",
"comment_id": 158101062,
"datetime": 1447948973000,
"masked_author": "username_3",
"text": "I think being able to clear cached data would be nice too (although using the File plugin works too). I need to do the same thing as @username_2 (clear \"old\" ids)\r\n\r\nI imagined the API would be similar to the `ionic-plugin-deploy` methods `getVersions` and `deleteVersion`:\r\n\r\nhttps://github.com/driftyco/ionic-plugin-deploy/blob/master/www/ionicdeploy.js#L65",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "tripodsan",
"comment_id": 158145354,
"datetime": 1447957203000,
"masked_author": "username_4",
"text": "maybe the contentsync plugin should keep a history/manifest of synced updates. eg:\r\n\r\ncontentsync.json\r\n```\r\n{\r\n\t\"appid-1\": {\r\n\t\t\"src\": \"http://some.server.com/update-package.zip\",\r\n\t\t\"localPath\": \"..../files/appid-1\",\r\n\t\t\"lastUpdate\": 12341234123,\r\n\t\t\"lastSyncType\": \"merge\"\r\n\t},\r\n\t\"appid-2\": {\r\n\t\t\"src\": \"http://some.server.com/update-package.zip?v=2\",\r\n\t\t\"localPath\": \"..../files/appid-2\",\r\n\t\t\"lastUpdate\": 12341234126,\r\n\t\t\"lastSyncType\": \"replace\"\r\n\t},\r\n\t\"deep/appid/1.0\": {\r\n\t\t\"localPath\": \"..../files/deep/appid/1.0\",\r\n\t\t\"lastUpdate\": 12341234126,\r\n\t\t\"lastSyncType\": \"local\",\r\n\t\t\"copyRootApp\": true\r\n\t}\r\n}\r\n```\r\n\r\nand then offer a method to retrieve this list. delete could be done with a new sync type `delete` which wouldn't require a `src`.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "imhotep",
"comment_id": 162095266,
"datetime": 1449266910000,
"masked_author": "username_5",
"text": "I have a feeling that the plugin already does too much. We could offer the functionality to delete old synced folders but we might end up with a full replacement of the File plugin and I am not sure we want that.",
"title": null,
"type": "comment"
}
] | 2,222 | false | false | 6 | 8 | true |
ekalinin/nodeenv | null | 76,663,182 | 123 | null | [
{
"action": "opened",
"author": "sirmar",
"comment_id": null,
"datetime": 1431681628000,
"masked_author": "username_0",
"text": "When installing nodeenv through bamboo it get this:\r\n\r\n15-May-2015 11:14:52\t Traceback (most recent call last):\r\n15-May-2015 11:14:52\t File \"<string>\", line 20, in <module>\r\n15-May-2015 11:14:52\t File \"/tmp/pip-build-_gpsu3pm/nodeenv/setup.py\", line 20, in <module>\r\n15-May-2015 11:14:52\t ldesc = read_file('README.rst')\r\n15-May-2015 11:14:52\t File \"/tmp/pip-build-_gpsu3pm/nodeenv/setup.py\", line 18, in read_file\r\n15-May-2015 11:14:52\t ).read()\r\n15-May-2015 11:14:52\t File \"/bamboo/xml-data/build-dir/PIT-DE-TEST/.tox/ci/lib/python3.4/encodings/ascii.py\", line 26, in decode\r\n15-May-2015 11:14:52\t return codecs.ascii_decode(input, self.errors)[0]\r\n15-May-2015 11:14:52\t UnicodeDecodeError: 'ascii' codec can't decode byte 0xe2 in position 7085: ordinal not in range(128)",
"title": "Encoding not specified in setup.py",
"type": "issue"
},
{
"action": "closed",
"author": "ekalinin",
"comment_id": null,
"datetime": 1431698203000,
"masked_author": "username_1",
"text": "",
"title": null,
"type": "issue"
},
{
"action": "created",
"author": "asottile",
"comment_id": 102535250,
"datetime": 1431727479000,
"masked_author": "username_2",
"text": "Would love a release with this, it's breaking my travis builds: https://travis-ci.org/username_2/css-explore/jobs/62762793",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "sirmar",
"comment_id": 102617642,
"datetime": 1431777244000,
"masked_author": "username_0",
"text": "We found a workaround to be to set LANG environment variable to something utf-8-ish inside tox.\n\nSo in tox.ini:\n\n[testenv]\nsetenv =\n LANG=en_US.UTF-8\n\nGive it a try.\n\n/Marcus",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "ekalinin",
"comment_id": 102624319,
"datetime": 1431781091000,
"masked_author": "username_1",
"text": "Thanks! Done.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "asottile",
"comment_id": 102717435,
"datetime": 1431824289000,
"masked_author": "username_2",
"text": "So the root cause is tox no longer passes through environment variables by default. I've created https://bitbucket.org/hpk42/tox/issue/247/pass-through-lang-environment-variable-by\r\n\r\nI think the more-correct patch is to passenv LANG instead of explicitly setting it in tox",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "homeworkprod",
"comment_id": 102823319,
"datetime": 1431882231000,
"masked_author": "username_3",
"text": "@username_2, thanks for creating the ticket.\r\n\r\nFTR, I came across this as the installation of the Arrow package (v0.5.4) fails on my CI like this (because of some Korean symbols in the README):\r\n```\r\nCollecting Arrow>=0.4.4 (from -r requirements.txt (line 13))\r\n Downloading arrow-0.5.4.tar.gz (81kB)\r\n Complete output from command python setup.py egg_info:\r\n Traceback (most recent call last):\r\n File \"<string>\", line 20, in <module>\r\n File \"/tmp/pip-build-41rzo0k_/Arrow/setup.py\", line 31, in <module>\r\n long_description=open('README.rst').read(),\r\n File \"/fooooo/.tox/py34/lib/python3.4/encodings/ascii.py\", line 26, in decode\r\n return codecs.ascii_decode(input, self.errors)[0]\r\n UnicodeDecodeError: 'ascii' codec can't decode byte 0xec in position 2974: ordinal not in range(128)\r\n \r\n ----------------------------------------\r\n Command \"python setup.py egg_info\" failed with error code 1 in /tmp/pip-build-41rzo0k_/Arrow\r\n```\r\n\r\nTox itself is invoked with `LANG=C.UTF-8 tox` (and the locale `C-UTF-8` is present).",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "ekalinin",
"comment_id": 102855999,
"datetime": 1431895900000,
"masked_author": "username_1",
"text": "Thanks!",
"title": null,
"type": "comment"
}
] | 2,477 | false | false | 4 | 8 | true |
18F/dashboard | 18F | 112,862,301 | 273 | null | [
{
"action": "opened",
"author": "noahmanger",
"comment_id": null,
"datetime": 1445538423000,
"masked_author": "username_0",
"text": "",
"title": "C2 Related link text is broken",
"type": "issue"
},
{
"action": "created",
"author": "pkarman",
"comment_id": 150314921,
"datetime": 1445538623000,
"masked_author": "username_1",
"text": "thanks, I think this is already fixed in master but we just haven't deployed it yet. See https://github.com/18F/C2/pull/727 -- is that the same issue?",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "noahmanger",
"comment_id": 150317943,
"datetime": 1445539243000,
"masked_author": "username_0",
"text": "Oh probably.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "mbland",
"comment_id": 150347418,
"datetime": 1445545728000,
"masked_author": "username_2",
"text": "Nope, that file is fixed. There were other errors preventing the Team API from rebuilding, addressed by 18F/18f.gsa.gov#1268 and 18F/openFEC#1291.\r\n\r\nWe'll get this brittleness fixed soon.",
"title": null,
"type": "comment"
},
{
"action": "closed",
"author": "mbland",
"comment_id": null,
"datetime": 1445547165000,
"masked_author": "username_2",
"text": "",
"title": null,
"type": "issue"
},
{
"action": "created",
"author": "mbland",
"comment_id": 150352986,
"datetime": 1445547165000,
"masked_author": "username_2",
"text": "OK, this is all good now:\r\n\r\n",
"title": null,
"type": "comment"
}
] | 611 | false | false | 3 | 6 | false |
icsharpcode/SharpZipLib | icsharpcode | 126,398,646 | 99 | null | [
{
"action": "opened",
"author": "goldenbull",
"comment_id": null,
"datetime": 1452684729000,
"masked_author": "username_0",
"text": "lzma is suitable for some special scenarios which need higher compression ratio and faster decompression speed, and do not care about compression speed.",
"title": "Any plan for lzma/xz format?",
"type": "issue"
},
{
"action": "created",
"author": "McNeight",
"comment_id": 210383110,
"datetime": 1460712740000,
"masked_author": "username_1",
"text": "Chen,\r\n\r\nAt the moment I am focused more on cleaning up the existing code and bug fixing, rather than adding new features. Hopefully soon, we can take a look at incorporating lzma/xz into our project.\r\n\r\n-Neil",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "goldenbull",
"comment_id": 210409602,
"datetime": 1460716544000,
"masked_author": "username_0",
"text": "Thanks for your reply. I have created a ManagedXZ project to interop with the native liblzma.dll. Maybe it's possible to re-compile the lzma source code in C++/cli, but I didn't try.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "McNeight",
"comment_id": 215990666,
"datetime": 1462045953000,
"masked_author": "username_1",
"text": "I discovered that Igor Pavlov has a written a [public domain LZMA SDK](http://www.7-zip.org/sdk.html) with an implementation in C#. I'll take a look at what it will take to integrate his code into the library, but no guarantees on a timeline.\r\n\r\n-Neil",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "goldenbull",
"comment_id": 216097337,
"datetime": 1462158600000,
"masked_author": "username_0",
"text": "A simple comparison of LZMA C# SDK and liblzma.dll from http://tukaani.org/xz/\r\n\r\nLZMA C# SDK\r\n- supports only LZMA, not LZMA2, so doesn't support parallel compression\r\n- pure C# implementation, platform independent but bad performance compared to native C/C++ implementation\r\n\r\nliblzma.dll from http://tukaani.org/xz/\r\n- supports both LZMA and LZMA2, so can compress in parallel (this is important to me when I have a powerful server with 40 CPU cores)\r\n- native C implementation results in high performance but platform dependent",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "goldenbull",
"comment_id": 216097642,
"datetime": 1462158880000,
"masked_author": "username_0",
"text": "I found the Java implementation of XZ Utils here: http://tukaani.org/xz/java.html\r\nMaybe we can try translate the Java source code into C# :smile:",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "goldenbull",
"comment_id": 216100482,
"datetime": 1462160699000,
"masked_author": "username_0",
"text": "Well, further investigation shows that Java implementation supports only single thread yet, and the LZMA C# SDK from 7-zip is the translation as I meant :disappointed:",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "gigi81",
"comment_id": 220730901,
"datetime": 1463782389000,
"masked_author": "username_2",
"text": "There is also another C# porting of the LZMA library here:\r\nhttps://github.com/weltkante/managed-lzma\r\nNot sure what is the status of the project and how it compares in terms of performance.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "goldenbull",
"comment_id": 221172021,
"datetime": 1464068642000,
"masked_author": "username_0",
"text": "@username_2 I haven't dived into the C# code yet, but to my knowledge, compression algorithm needs to access memory heavily, which is much slower in C# even with unsafe pointer.",
"title": null,
"type": "comment"
},
{
"action": "closed",
"author": "goldenbull",
"comment_id": null,
"datetime": 1580651465000,
"masked_author": "username_0",
"text": "",
"title": null,
"type": "issue"
}
] | 2,001 | false | false | 3 | 10 | true |
sequelize/sequelize | sequelize | 30,602,460 | 1,577 | null | [
{
"action": "opened",
"author": "alekbarszczewski",
"comment_id": null,
"datetime": 1396361841000,
"masked_author": "username_0",
"text": "I know that sequelize does not support geo data type like postgis, but I would like to hack it to be able to insert geo data (lon and lat) and query by them to find nearest points.\n\nIs it possible to somehow modify postgres query on the fly or maybe there is better method to do this? Could you give me some beta?\n\nAre you planning to add support for PostGis in the future?",
"title": "How to use postgis with sequelize",
"type": "issue"
},
{
"action": "created",
"author": "yalva",
"comment_id": 612860250,
"datetime": 1586776921000,
"masked_author": "username_1",
"text": "How to retrieve lat, long with find?",
"title": null,
"type": "comment"
}
] | 409 | false | false | 2 | 2 | false |
jcelliott/turnpike | null | 182,499,393 | 130 | null | [
{
"action": "opened",
"author": "dcelasun",
"comment_id": null,
"datetime": 1476270980000,
"masked_author": "username_0",
"text": "It seems like turnpike is semi-maintained by a few different people, but there are multiple open PRs and issues and it doesn't seem like there is any progress. Some of them look quite serious like [#94](https://github.com/username_2/turnpike/issues/94), [#85](https://github.com/username_2/turnpike/issues/85), [#50](https://github.com/username_2/turnpike/issues/50) and a few more.\r\n\r\nDoes any of the current maintainers plan to work on these?",
"title": "Status of turnpike?",
"type": "issue"
},
{
"action": "created",
"author": "willeponken",
"comment_id": 253193755,
"datetime": 1476273425000,
"masked_author": "username_1",
"text": "I know nothing about the current maintainers in this repo, but there has been active development in these:\n\nhttps://github.com/awakenetworks/turnpike\nhttps://github.com/username_6/turnpike\n\nWould be really great if these two could go together and collaborate in a shared repository.\n\nMaybe the current owner of this repo could arrange something?",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "jcelliott",
"comment_id": 253224931,
"datetime": 1476281593000,
"masked_author": "username_2",
"text": "I don't really have time to work on this right now. There are a few people besides me who have commit access, and they have been making some progress. @username_6 and I were the original authors of the first implementation and the v2 rewrite, so if he plans on maintaining his fork I will link to that one as the \"official\" fork. I would like to hear his opinion as well as @username_4, @username_3 and any others who have been working on turnpike.\r\n\r\nA shared repo would be another great option. I created a `go-turnpike` organization a long time ago (to resolve `gopkg.in/turnpike.v2` to turnpike v2) that I could turn over to current maintainers if anyone is interested.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "yanfali",
"comment_id": 253356091,
"datetime": 1476310649000,
"masked_author": "username_3",
"text": "I'd love to see an org, and would be willing to participate. I am using turnpike at work daily and I really appreciate the solid work that has gone in to it.\r\n\r\nOne feature I would contribute, is an alternate backend implementation for Dealer. I'd also contribute some example code/documentation for simple authentication of wamp connections using ticket. I really like how flexible/pluggable the code base is.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "mourad",
"comment_id": 253382656,
"datetime": 1476320787000,
"masked_author": "username_4",
"text": "I've contributed to the project a few times and continue to use turnpike daily as well, but have been more careful at making changes lately as I currently have 2 open PRs that I was hopeful that either @username_2 or @username_6 or others that know more about the direction that they would like to take turnpike could've provided feedback.\r\n\r\nI am ok with whichever direction you decide to take, and am also willing to spend time should you decide to continue moving this repo forward. I just did not want to introduce changes that negatively affected others simply because no one was available to review them.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "mourad",
"comment_id": 256943623,
"datetime": 1477666696000,
"masked_author": "username_4",
"text": "I've gone ahead and added my changes to the v2 branch, as I've been working with them for quite a while and haven't seen any significant issues.\r\n\r\nI plan on continuing to work on turnpike as time permits, and fix issues as I find them.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "migueleliasweb",
"comment_id": 301319331,
"datetime": 1494774739000,
"masked_author": "username_5",
"text": "+1 as a wish for this repo come back to life !",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "beatgammit",
"comment_id": 301640483,
"datetime": 1494894166000,
"masked_author": "username_6",
"text": "Me too :(\r\n\r\nI use it in production, and it's reasonably stable, but there are still occasional crashes from runtime panics. I have a branch that fixes a few of them, so I just need to sit down and rethink the concurrency model to make sure I'm happy before merging.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "richardartoul",
"comment_id": 312467424,
"datetime": 1498963667000,
"masked_author": "username_7",
"text": "About to start using this in production and wondering if there is any status update? @username_6 What kind of load are you handling in production?",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "beatgammit",
"comment_id": 359265389,
"datetime": 1516555986000,
"masked_author": "username_6",
"text": "@username_7 Not too much, something like 5 clients and tens of messages per second. My fork has some concurrency fixes (to fix panics, though they probably don't scale well), so feel free to take a look at that if you like.",
"title": null,
"type": "comment"
},
{
"action": "closed",
"author": "dcelasun",
"comment_id": null,
"datetime": 1520002163000,
"masked_author": "username_0",
"text": "",
"title": null,
"type": "issue"
}
] | 3,392 | false | false | 8 | 11 | true |
Esri/resource-proxy | Esri | 158,448,708 | 367 | null | [
{
"action": "opened",
"author": "dasa",
"comment_id": null,
"datetime": 1464985848000,
"masked_author": "username_0",
"text": "`esri/request` won't return xml when \"handleAs\" is \"xml\" unless the response Content-Type header is either \"text/xml\" or \"application/xml\".\r\n\r\nReference: https://developer.mozilla.org/en-US/docs/Web/API/XMLHttpRequest/responseXML\r\n\r\nExample code:\r\n\r\n```java\r\n// Most of the new ms documents have content type as application/vnd.openxmlformats-*, we need to set these correctly\r\n// For rest of the xml formats, convert them to text/xml, need to be very careful on this\r\nString contentType = con.getContentType();\r\nif (contentType != null && contentType.contains(\"xml\") && !contentType.contains(\"vnd.openxmlformats\")) {\r\n\tresponse.setContentType(\"text/xml\");\r\n}\r\nelse {\r\n\tresponse.setContentType(contentType);\r\n}\r\n```",
"title": "Normalize xml response content type",
"type": "issue"
},
{
"action": "created",
"author": "bsvensson",
"comment_id": 223726628,
"datetime": 1465002032000,
"masked_author": "username_1",
"text": "Is this a problem with the proxy or esri/request? \r\n\r\nLooking at the [HTTP spec](https://www.w3.org/Protocols/rfc2616/rfc2616-sec14.html#sec14.17) it doesn't seem that sending two Content-Type headers are legal. So, as far as I understand, this means that in this case we would have to overwrite the Content-Type.\r\n\r\nWould changing the Content-Type from a vendor-specific one `vnd.openxmlformats*` to a generic `application\\xml` always be a good thing? Or should it be something configurable in the proxy?\r\n\r\nVendor specific content types are registered with [IANA](https://www.iana.org/assignments/media-types/media-types.xhtml).",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "dasa",
"comment_id": 223976608,
"datetime": 1465223527000,
"masked_author": "username_0",
"text": "👍",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "dasa",
"comment_id": 223977337,
"datetime": 1465223661000,
"masked_author": "username_0",
"text": "`esri/request` is relying on dojo which is relying on the behavior of `XMLHttpRequest`. This could be changed and this could be made a configurable option in the proxy.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "bsvensson",
"comment_id": 225280334,
"datetime": 1465588630000,
"masked_author": "username_1",
"text": "Fixed in all three proxies. @username_0 - can you test?",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "bsvensson",
"comment_id": 225327316,
"datetime": 1465606710000,
"masked_author": "username_1",
"text": "@username_0 - I installed a better fix now that I understand the problem better.\r\n\r\nAny WMG OGC servers that use `application/vnd.ogc.wms_xml` will now have their content-type changed to `text/xml`. \r\n\r\nTest case:\r\n`curl --verbose \"http://localhost/resource-proxy/DotNet/proxy.ashx?http://data.wien.gv.at/daten/wms?SERVICE=WMS&REQUEST=GetCapabilities\"`",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "dasa",
"comment_id": 225477613,
"datetime": 1465784898000,
"masked_author": "username_0",
"text": "👍 for PHP",
"title": null,
"type": "comment"
},
{
"action": "closed",
"author": "bsvensson",
"comment_id": null,
"datetime": 1465787210000,
"masked_author": "username_1",
"text": "",
"title": null,
"type": "issue"
}
] | 1,922 | false | false | 2 | 8 | true |
aheyne/geomesa | null | 217,448,419 | 1 | {
"number": 1,
"repo": "geomesa",
"user_login": "aheyne"
} | [
{
"action": "opened",
"author": "tkunicki",
"comment_id": null,
"datetime": 1490677224000,
"masked_author": "username_0",
"text": "I went through the denorm method and fully mapped to norm to make sure every thing was understood and characterized in unit tests. The denorm method will now return a value from the middle of the range of all possible inputs that that might results in the given index (x). This should be numerically stable given increased precision.",
"title": "GEOMESA-1740 modify denormalize with fully characterized impl.",
"type": "issue"
},
{
"action": "created",
"author": "aheyne",
"comment_id": 289780714,
"datetime": 1490709951000,
"masked_author": "username_1",
"text": "Nice, thanks for doing this!",
"title": null,
"type": "comment"
}
] | 363 | false | false | 2 | 2 | false |
assisrafael/angular-input-masks | null | 193,111,823 | 240 | null | [
{
"action": "opened",
"author": "laurindo",
"comment_id": null,
"datetime": 1480683938000,
"masked_author": "username_0",
"text": "Ao recuperar o valor salvo, está sendo adicionado o valor +55 dentro do DDD (85) por exemplo.\r\nEssa é a forma como estou pegando o valor.\r\n<input type=\"text\"\r\n name=\"telefone\"\r\n ui-br-phone-number\r\n placeholder=\"Digite aqui\"\r\n ng-model=\"vm.contato.telefone\" />\r\n\r\nDepois que salvo no banco o valor fica:\r\n85991568956\r\n\r\nQuando tento recuperar do banco e imprimir com a mascara, está ficando assim:\r\n(55)85991-5689\r\n\r\nAlguém com esse problema?",
"title": "Problemas na máscara de ui-br-phone-number",
"type": "issue"
},
{
"action": "closed",
"author": "assisrafael",
"comment_id": null,
"datetime": 1506179991000,
"masked_author": "username_1",
"text": "",
"title": null,
"type": "issue"
},
{
"action": "created",
"author": "assisrafael",
"comment_id": 331642246,
"datetime": 1506179991000,
"masked_author": "username_1",
"text": "The mask uiBrPhoneNumber now supports the country prefix. Check the latest version.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "matheusnicolas",
"comment_id": 401439624,
"datetime": 1530297572000,
"masked_author": "username_2",
"text": "Tem como utilizar sem o country code?",
"title": null,
"type": "comment"
}
] | 570 | false | false | 3 | 4 | false |
simbody/simbody | simbody | 104,973,721 | 433 | {
"number": 433,
"repo": "simbody",
"user_login": "simbody"
} | [
{
"action": "opened",
"author": "chrisdembia",
"comment_id": null,
"datetime": 1441402405000,
"masked_author": "username_0",
"text": "The changes I made here are based on discussions in https://github.com/opensim-org/opensim-core/issues/592.\r\n\r\nI chose to remove the template class typedefs necessary, but I left the ones that I didn't need to change (with perhaps 1 or 2 exceptions). Also, I chose *not* to remove any typedefs for Mat.h; instead I put the typedefs in the public section. I justify this because Vec.h has similar typedefs that are public. By making only the necessary changes, I hope to have minimized the chance of introducing a bug.\r\n\r\nAlso, for computation within enums, I chose to use `#ifndef SWIG` rather than resorting to a `constexpr` function in order to make sure the C++ code remains clear and that I don't introduce a bug.\r\n\r\nI've tested OpenSim wrapping against these changes, and both the python and java wrapping compile (and the python tests and testContext both pass). You can see my changes to OpenSim here: https://github.com/opensim-org/opensim-core/tree/swig-simtk",
"title": "Changes to allow swig 3.0.5 to process certain Simbody headers.",
"type": "issue"
},
{
"action": "created",
"author": "chrisdembia",
"comment_id": 137858592,
"datetime": 1441402586000,
"masked_author": "username_0",
"text": "@aymanhab",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "sherm1",
"comment_id": 138355821,
"datetime": 1441651750000,
"masked_author": "username_1",
"text": "This all looks good, Chris -- thanks! Merging.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "chrisdembia",
"comment_id": 138359422,
"datetime": 1441652535000,
"masked_author": "username_0",
"text": "Thank you Sherm.",
"title": null,
"type": "comment"
}
] | 1,039 | false | false | 2 | 4 | false |
Discordius/Lesswrong2 | null | 270,889,422 | 262 | null | [
{
"action": "opened",
"author": "Discordius",
"comment_id": null,
"datetime": 1509691072000,
"masked_author": "username_0",
"text": "It seems reasonable to deactivate downvoting a user's content from their profile page.",
"title": "It's right now too easy to downvote all of one user's content from their profile page",
"type": "issue"
},
{
"action": "created",
"author": "gwillen",
"comment_id": 349729859,
"datetime": 1512584596000,
"masked_author": "username_1",
"text": "I believe Reddit uses the following simple trick to discourage mass downvoting: The user page has up/down arrows on each comment, but they don't do anything. They remember state (so refreshing preserves the illusion of voting), but they have no effect on karma or post ranking.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "Raemon",
"comment_id": 388197800,
"datetime": 1525989235000,
"masked_author": "username_2",
"text": "Since this issue was created, we ended up deactivating the ability to dowvote _posts_ but not comments. Could use someone doing that.",
"title": null,
"type": "comment"
}
] | 496 | false | false | 3 | 3 | false |
tieniber/ConfirmButton | null | 219,568,333 | 1 | null | [
{
"action": "opened",
"author": "Mcpoowl",
"comment_id": null,
"datetime": 1491395887000,
"masked_author": "username_0",
"text": "Hi Eric,\r\n\r\nI've run in to a little snag and I was wondering if this was by design. Example case is that I check if a purchase is above $1k. So my primary microflow is:\r\n\r\n`if $Expense/total > 1000 then true else false`\r\n\r\nIf I create an expense with a total of 1100, the confirmation shows and everything works as expected. However I'd expect that, if I create an expense with a total of 900, no confirmation is shown, but the microflow is executed anyway, this last bit does not work:\r\n\r\nNo confirmation is shown, but my microflow isn't executing either.\r\n\r\nI'd like to use this widget as a extra check to notify the user, however when the user doesn't receive a confirmation (primary = false, I'd still like to execute the follow-up microflow)",
"title": "confirmation microflow not called if primary returns false",
"type": "issue"
},
{
"action": "created",
"author": "tieniber",
"comment_id": 291877509,
"datetime": 1491402242000,
"masked_author": "username_1",
"text": "Hi Paul,\r\n\r\nYou can simply put your follow-up logic on the false branch of the first microflow.",
"title": null,
"type": "comment"
},
{
"action": "closed",
"author": "Mcpoowl",
"comment_id": null,
"datetime": 1491402317000,
"masked_author": "username_0",
"text": "",
"title": null,
"type": "issue"
},
{
"action": "created",
"author": "Mcpoowl",
"comment_id": 291877923,
"datetime": 1491402317000,
"masked_author": "username_0",
"text": "Wow, of course. I was thinking way to difficult. Thanks!",
"title": null,
"type": "comment"
}
] | 897 | false | false | 2 | 4 | false |
openshift/openshift-docs | openshift | 145,679,129 | 1,852 | {
"number": 1852,
"repo": "openshift-docs",
"user_login": "openshift"
} | [
{
"action": "opened",
"author": "pweil-",
"comment_id": null,
"datetime": 1459775233000,
"masked_author": "username_0",
"text": "@username_2 @username_1 ptal and let me know if you think this should be more specific.\r\n\r\n@username_3 - this should go in a 3.2 build.\r\n\r\nref: https://github.com/openshift/origin/issues/8329#issuecomment-204417847",
"title": "specify compute resources for the registry",
"type": "issue"
},
{
"action": "created",
"author": "kargakis",
"comment_id": 205293586,
"datetime": 1459776014000,
"masked_author": "username_1",
"text": "LGTM\r\n\r\n@username_2 should we recommend a specific request/limit for average clusters?",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "derekwaynecarr",
"comment_id": 205341653,
"datetime": 1459782594000,
"masked_author": "username_2",
"text": "I do not have any data that can make a specific recommendation at this time.\r\n\r\nThe text is LGTM.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "pweil-",
"comment_id": 217508455,
"datetime": 1462556015000,
"masked_author": "username_0",
"text": "@username_3 can this get merged?",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "adellape",
"comment_id": 217514626,
"datetime": 1462557473000,
"masked_author": "username_3",
"text": ":+1:",
"title": null,
"type": "comment"
}
] | 435 | false | false | 4 | 5 | true |
lesaux/puppet-kibana4 | null | 116,756,644 | 26 | null | [
{
"action": "opened",
"author": "eperdeme",
"comment_id": null,
"datetime": 1447416469000,
"masked_author": "username_0",
"text": "Howdy,\r\n\r\nI notice when you extract the ZIP you force the permissions to root:root.\r\n\r\nShould the permissions not be kibanaUSER/kibanagroup ? I can send a pull request in, but wondering if I was missing a reason why the directory and files should not be owned by the kibana user ?",
"title": "Permissions - extraction",
"type": "issue"
},
{
"action": "created",
"author": "lesaux",
"comment_id": 156449767,
"datetime": 1447425517000,
"masked_author": "username_1",
"text": "Hi username_0, thanks for the comment. I put this because some people don't manage their kibana user and group in this module (another users manifest, ldap or whatever). But, we could definitely do something when manage_user=>true. A PR is welcome!",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "landerson61",
"comment_id": 157990999,
"datetime": 1447922732000,
"masked_author": "username_2",
"text": "Hi username_1,\r\n\r\nShouldn't the owner on the extracted directory be set to kibana_user & kibana_group anyway regardless of whether this module manages the user/group?\r\n\r\nEven if the user/group is managed by another module/ldap etc, having ownership set to root on the kibana directory prevents the kibana_user from executing the kibana binary (the extracted bin/ folder has 700 permisisons)?\r\n\r\nThoughts?",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "lesaux",
"comment_id": 158092007,
"datetime": 1447947378000,
"masked_author": "username_1",
"text": "Hi username_2,\r\nthis doesn't seem to be the case.\r\n```\r\nls -l /opt/\r\ntotal 4\r\ndrwxr-xr-x 7 root root 4096 Jun 29 18:07 kibana-4.1.1-linux-x64\r\n```\r\n\r\n```\r\nps aux|grep kibana\r\nkibana4 6357 0.4 1.6 976276 64968 ? Sl 15:31 0:00 /opt/kibana-4.1.1-linux-x64/bin/../node/bin/node /opt/kibana-4.1.1-linux-x64/bin/../src/bin/kibana.js\r\nroot 6399 0.0 0.0 11740 932 pts/0 R+ 15:33 0:00 grep --color=auto kibana\r\n```\r\n\r\nI still agree with you that this is an issue and we should chown the extracted directories to the kibana4_user.\r\nI will look into the archive modules to see if ownership of the extracted dir is supported.\r\nThanks!",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "landerson61",
"comment_id": 158634817,
"datetime": 1448108540000,
"masked_author": "username_2",
"text": "Hi username_1,\r\n\r\nAs far as I can see, there doesn't seem to be support for changing ownership of extracted directories in the archive moduels. However I have submitted a PR to fix this issue. Hope it is ok!\r\n\r\nThanks",
"title": null,
"type": "comment"
},
{
"action": "closed",
"author": "lesaux",
"comment_id": null,
"datetime": 1448382513000,
"masked_author": "username_1",
"text": "",
"title": null,
"type": "issue"
},
{
"action": "created",
"author": "lesaux",
"comment_id": 159323584,
"datetime": 1448382513000,
"masked_author": "username_1",
"text": "Thanks for the PR - merging now.",
"title": null,
"type": "comment"
}
] | 1,826 | false | false | 3 | 7 | true |
lminhtm/LMGeocoder | null | 54,292,127 | 4 | {
"number": 4,
"repo": "LMGeocoder",
"user_login": "lminhtm"
} | [
{
"action": "opened",
"author": "iosengineer",
"comment_id": null,
"datetime": 1421220474000,
"masked_author": "username_0",
"text": "- Added ISOcountryCode to LMAddress from both Apple and Google sources\r\n\r\n- Fixed issue with incorrect license reference in podspec\r\n\r\n- Bumped podspec to 1.0.1 for convenience",
"title": "Add ISOcountryCode",
"type": "issue"
},
{
"action": "created",
"author": "iosengineer",
"comment_id": 69879097,
"datetime": 1421220889000,
"masked_author": "username_0",
"text": "Having moved on with what I needed this for, I'd recommend renaming the new property to countryCode, to more easily allow 1:1 import into Core Data (for example), that cannot have property names beginning with an uppercase character (which I did not know until just now - hmph).",
"title": null,
"type": "comment"
}
] | 454 | false | false | 1 | 2 | false |
arjunkomath/Feline-for-Product-Hunt | null | 245,566,425 | 7 | null | [
{
"action": "opened",
"author": "ztalk112",
"comment_id": null,
"datetime": 1501026332000,
"masked_author": "username_0",
"text": "Hi,\r\n\r\nLove the fresh new look after your recent update, however I have an issue when sharing PH posts on Android 6.0.1 (Nexus 5).\r\n\r\nRegardless of the vehicle used (tested with Gmail, Messenger and Pushbullet), no link is passed in the share . . . only the short post description.\r\n\r\n(Note, my strong preference is that the PH post itself should be shared, not the Get It website link).\r\n\r\nCheers.\r\n\r\n",
"title": "No link passed when shared",
"type": "issue"
},
{
"action": "closed",
"author": "arjunkomath",
"comment_id": null,
"datetime": 1510855767000,
"masked_author": "username_1",
"text": "",
"title": null,
"type": "issue"
},
{
"action": "created",
"author": "arjunkomath",
"comment_id": 345452588,
"datetime": 1511021856000,
"masked_author": "username_1",
"text": "Fixed in Production Release 2.2.1",
"title": null,
"type": "comment"
}
] | 552 | false | false | 2 | 3 | false |
apache/incubator-openwhisk | apache | 237,909,694 | 2,413 | {
"number": 2413,
"repo": "incubator-openwhisk",
"user_login": "apache"
} | [
{
"action": "opened",
"author": "Jiri-Kremser",
"comment_id": null,
"datetime": 1498150515000,
"masked_author": "username_0",
"text": "this is based on https://github.com/apache/incubator-openwhisk/pull/2403\r\n.. except the code is little bit more Scala idiomatic (using options instead of null checks, etc.), but the functionality is still the same, pls see the original PR for the details.",
"title": "[wip] Draft 2 - Wrap runs within OpenTracing spans",
"type": "issue"
},
{
"action": "created",
"author": "rabbah",
"comment_id": 310441868,
"datetime": 1498151047000,
"masked_author": "username_1",
"text": "no null! 👍",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "rabbah",
"comment_id": 310695149,
"datetime": 1498231405000,
"masked_author": "username_1",
"text": "Option(null) == None.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "rabbah",
"comment_id": 310695375,
"datetime": 1498231450000,
"masked_author": "username_1",
"text": "oops, use filter instead of exists.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "jpkrohling",
"comment_id": 311062699,
"datetime": 1498484543000,
"masked_author": "username_2",
"text": "@username_0 , may I close #2403 in favor of this one?",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "Jiri-Kremser",
"comment_id": 311066513,
"datetime": 1498485365000,
"masked_author": "username_0",
"text": "yes",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "Jiri-Kremser",
"comment_id": 314476276,
"datetime": 1499785916000,
"masked_author": "username_0",
"text": "@username_1 is there anything else you want me to improve on this PR? Is it ok to have the open tracing code next to the markers in the logs as the first step? The tracing can be turned off or set to 10% using the env properties, so that only the fraction of the calls will be traced.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "rabbah",
"comment_id": 314477110,
"datetime": 1499786083000,
"masked_author": "username_1",
"text": "There is a second tracing pr #2282 - does it make sense to consider consolidating efforts?",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "jpkrohling",
"comment_id": 314483193,
"datetime": 1499787258000,
"masked_author": "username_2",
"text": "I don't think so: there has been a thread on the mailing list, and it looks like that one has a different goal.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "rabbah",
"comment_id": 343180104,
"datetime": 1510239543000,
"masked_author": "username_1",
"text": "Closing per discussion on the dev list https://mail-archives.apache.org/mod_mbox/incubator-openwhisk-dev/201707.mbox/browser.",
"title": null,
"type": "comment"
}
] | 985 | false | false | 3 | 10 | true |
urbit/docs | urbit | 148,722,416 | 5 | null | [
{
"action": "opened",
"author": "ohAitch",
"comment_id": null,
"datetime": 1460742032000,
"masked_author": "username_0",
"text": "Blocked on urbit/tree#9, which implements such.",
"title": "<list> should use [src] instead of [dataPath]",
"type": "issue"
},
{
"action": "created",
"author": "ohAitch",
"comment_id": 210603873,
"datetime": 1460747759000,
"masked_author": "username_0",
"text": "Most of these shouldn't even _have_ a `dataPath`, because they just use the current one. Though a `src=\".\"` might be fine.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "galenwp",
"comment_id": 210605612,
"datetime": 1460748143000,
"masked_author": "username_1",
"text": "i think src=“.” should be implicit. No?\n\n\n>",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "ohAitch",
"comment_id": 210605916,
"datetime": 1460748185000,
"masked_author": "username_0",
"text": "It already is for dataPath! Yet docs/*.md is putting it in anyway :/\n\nOn Friday, 15 April 2016, Galen Wolfe-Pauly <notifications@github.com>\nwrote:\n\n> i think src=“.” should be implicit. No?\n>\n>\n> >",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "Fang-",
"comment_id": 242972107,
"datetime": 1472387266000,
"masked_author": "username_2",
"text": "Fixed in #6, this issue can be closed.",
"title": null,
"type": "comment"
},
{
"action": "closed",
"author": "juped",
"comment_id": null,
"datetime": 1472391409000,
"masked_author": "username_3",
"text": "",
"title": null,
"type": "issue"
}
] | 449 | false | false | 4 | 6 | false |
timdp/es6-promise-pool | null | 252,723,087 | 40 | {
"number": 40,
"repo": "es6-promise-pool",
"user_login": "timdp"
} | [
{
"action": "opened",
"author": "urish",
"comment_id": null,
"datetime": 1503606841000,
"masked_author": "username_0",
"text": "With the current typings, you must write your import as \r\n\r\n import PromisePool from 'es6-promise-pool';\r\n\r\nhowever, this causes a runtime error in Node.js: \r\n\r\n TypeError: es6_promise_pool_1.default is not a constructor\r\n\r\nThis commit changes the supported TypeScript import syntax to \r\n\r\n import * as PromisePool from 'es6-promise-pool';\r\n\r\nwhich works correctly in Node.js",
"title": "Fix typings for use inside node.js",
"type": "issue"
},
{
"action": "created",
"author": "timdp",
"comment_id": 324837861,
"datetime": 1503643745000,
"masked_author": "username_1",
"text": "Thanks for contributing!\r\n\r\nIs this ultimately caused by [this TypeScript issue](https://github.com/Microsoft/TypeScript/issues/5565)?\r\n\r\nIn that case, maybe it's also worth mentioning that there's a legacy API with a named export rather than the default one that TypeScript is struggling with. I'm not sure if the compiler will understand it (and you'd need to add typings) but in ES6, this is also possible:\r\n\r\n```js\r\nimport { PromisePool } from 'es6-promise-pool'\r\n```\r\n\r\nI don't want to keep that API around per se because as I said, it's a legacy thing, but it does seem cleaner than `import *`, right? What would be the expected behavior here?\r\n\r\nI'm no TypeScript expert though. The typings were contributed by @bcherny. Maybe he wants to weigh in as well?",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "urish",
"comment_id": 324880938,
"datetime": 1503656804000,
"masked_author": "username_0",
"text": "Hi Tim, thanks for the super quick and thoughtful response. Yes, it seems to be related.\r\n\r\nFrom [examples in the typescript documentation](https://basarat.gitbooks.io/typescript/docs/quick/nodejs.html) (and also [here](https://www.typescriptlang.org/docs/handbook/declaration-files/library-structures.html)), seems like they use the following syntax:\r\n\r\n import PromisePool = require('es6-promise-pool');\r\n\r\nHowever, it seems like the current typings don't play well with this syntax (typescript complains about `Cannot use 'new' with an expression whose type lacks a call or construct signature`), whereas the typings from the PR also makes it happy in this case.\r\n\r\n\r\n\r\nI created a super-small demo repo for this, just git clone, npm install, npm start to watch it in in action:\r\n\r\nhttps://github.com/username_0/es6-promise-pool-typescript",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "timdp",
"comment_id": 324960765,
"datetime": 1503676276000,
"masked_author": "username_1",
"text": "Hmm, I'm curious why it worked for @bcherny then.\r\n\r\nWe use TypeScript at work though. I'll ask someone on my team next week just to make sure we don't break anything. :slightly_smiling_face:",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "urish",
"comment_id": 324962223,
"datetime": 1503676577000,
"masked_author": "username_0",
"text": "Awesome, thanks!\r\n\r\nFeel free to ping me if anything. And thanks for this awesome library, I recently used it in a project and it was a perfect fit",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "jimthedev",
"comment_id": 350478647,
"datetime": 1512833612000,
"masked_author": "username_2",
"text": "Hi there, any update to this? Currently seems like for ts/es6/cjs purposes many are switching away from default exports since it just makes things easier.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "Aankhen",
"comment_id": 390425992,
"datetime": 1526756839000,
"masked_author": "username_3",
"text": "FWIW, I have the same problem trying to use it with TypeScript and the PR fixed it.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "urish",
"comment_id": 665456619,
"datetime": 1596003522000,
"masked_author": "username_0",
"text": "Closing due to inactivity.",
"title": null,
"type": "comment"
}
] | 2,696 | false | true | 4 | 8 | true |
Animatron/player | Animatron | 84,106,467 | 312 | {
"number": 312,
"repo": "player",
"user_login": "Animatron"
} | [
{
"action": "opened",
"author": "shamansir",
"comment_id": null,
"datetime": 1433264327000,
"masked_author": "username_0",
"text": "Now masks take the element's band into consideration + their rendering time now corresponds with their own jumps and repeat-modes.",
"title": "Masks fixes",
"type": "issue"
},
{
"action": "created",
"author": "shamansir",
"comment_id": 108014953,
"datetime": 1433264399000,
"masked_author": "username_0",
"text": "I merge this one too, to test it in a live `test` environment, but it's still a subject to review.",
"title": null,
"type": "comment"
}
] | 228 | false | false | 1 | 2 | false |
pybuilder/pybuilder | pybuilder | 190,082,650 | 421 | null | [
{
"action": "opened",
"author": "AlexeySanko",
"comment_id": null,
"datetime": 1479397451000,
"masked_author": "username_0",
"text": "Into distutils_plugin.py hardcoded [\"clean\", \"--all\"] for each distutils_commands. And we cannot use results one step into next steps.\r\nMy particular case: I need specific shebang into script into wheel. But setuptools replace shebang for all scripts by default from build machine. I can avoid it though sequence call:\r\n```\r\npython setup.py build -e '/opt/python2.7/bin/python'\r\npython setup.py bdist_wheel\r\n```\r\nI expected it with next params:\r\n```\r\nproject.set_property('distutils_commands', ['build', 'bdist_wheel'])\r\nproject.set_property('distutils_command_options', {'build': ('--executable', '/opt/python2.7/bin/python')})\r\n```\r\n\r\nBy by fact I got next commands\r\n```\r\npython setup.py clean --all build -e '/opt/python2.7/bin/python'\r\npython setup.py clean --all bdist_wheel\r\n```\r\nAnd bdist_wheel re-build package with incorrect shebang.\r\nI have possibility to call \"clean --all\" through 'distutils_command_options' property and do not see reasons for hardcode it. Also we have task clean which remove /target directory\r\n\r\ndistutils_plugin.py\r\n```\r\n...\r\nexecute_distutils(project, logger, commands, True)\r\n...\r\nexecute_distutils(project, logger, upload_cmd_line, True)\r\n...\r\ndef execute_distutils(project, logger, distutils_commands, clean=False):\r\n...\r\n for command in distutils_commands:\r\n....\r\n with open(output_file_path, \"w\") as output_file:\r\n...\r\n if clean:\r\n commands.extend([\"clean\", \"--all\"])\r\n...\r\n```",
"title": "Pybuilder clean build derictory after each distutils command",
"type": "issue"
},
{
"action": "created",
"author": "AlexeySanko",
"comment_id": 261287295,
"datetime": 1479398521000,
"masked_author": "username_0",
"text": "Expected result produce next properties:\r\n```\r\nproject.set_property('distutils_commands', 'build')\r\nproject.set_property('distutils_command_options',\r\n {'build': ('-e', '/opt/python2.7/bin/python', 'bdist_wheel')})\r\n```\r\nIn this case which advantages of usage different distutils_commands isolated?",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "arcivanov",
"comment_id": 261533584,
"datetime": 1479476352000,
"masked_author": "username_1",
"text": "Aren't shebangs supposed to be resolved by the installer at the installation time, especially for a wheel (PEP-0427, PEP-0491)?\r\n\r\nThe reason that `clean --all` is used is to ensure that if you're generating multiple packages (bdist_wheel vs dumb vs bdist) that the \"build/\" directory doesn't cross-contaminate the builds. Some use absolute paths, some use relative.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "AlexeySanko",
"comment_id": 261570047,
"datetime": 1479485368000,
"masked_author": "username_0",
"text": "I expected the same result, but on develop and target machine I had python by /opt/python2.7/bin/python. On build machine (with Jenkins) - basic Python. And on target host I got incorrect interpreter error (shebung was #!python).\r\nSo in this case it's expected behavior and we just should add it to documentation [distutils_commands property](http://pybuilder.github.io/documentation/plugins.html#BuildingaPythonpackage). We can add project property which can regular it (like \"distutils_clean_between_commands with default True), but it could be overloading of properties.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "arcivanov",
"comment_id": 261570824,
"datetime": 1479485563000,
"masked_author": "username_1",
"text": "@username_0 irrespective of this bug, what you probably are experiencing are old versions of setuptools, pip or both.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "AlexeySanko",
"comment_id": 261579099,
"datetime": 1479487382000,
"masked_author": "username_0",
"text": "On target host:\r\npip (8.1.2)\r\nsetuptools (22.0.5)\r\nOn build:\r\npip (9.0.1)\r\nsetuptools (28.8.0)\r\n\r\nIn this case target host looks like not a very fresh, :)",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "arcivanov",
"comment_id": 261579773,
"datetime": 1479487544000,
"masked_author": "username_1",
"text": "To say the least ;) I suspect that's why your shebang doesn't get properly massaged.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "AlexeySanko",
"comment_id": 261580619,
"datetime": 1479487731000,
"masked_author": "username_0",
"text": "Anyway hardcoded [clean -all] is unexpected and cannot be managed. How we can at least add it to documentation?",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "arcivanov",
"comment_id": 261583766,
"datetime": 1479488443000,
"masked_author": "username_1",
"text": "The documentation is very outdated. I'll add this to the queue. Thanks!",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "AlexeySanko",
"comment_id": 338587384,
"datetime": 1508747859000,
"masked_author": "username_0",
"text": "Created into doc repo: https://github.com/pybuilder/pybuilder.github.io/issues/37",
"title": null,
"type": "comment"
},
{
"action": "closed",
"author": "AlexeySanko",
"comment_id": null,
"datetime": 1508747859000,
"masked_author": "username_0",
"text": "",
"title": null,
"type": "issue"
}
] | 3,333 | false | false | 2 | 11 | true |
shader-slang/slang | shader-slang | 243,709,188 | 115 | null | [
{
"action": "opened",
"author": "nbenty",
"comment_id": null,
"datetime": 1500383217000,
"masked_author": "username_0",
"text": "[Blit.ps.glsl.txt](https://github.com/shader-slang/slang/files/1155911/Blit.ps.glsl.txt)\r\n[MySlang.slang.txt](https://github.com/shader-slang/slang/files/1155910/MySlang.slang.txt)\r\n\r\n(remove the `.txt`. GitHub wouldn't let me upload the slang/glsl files)\r\n\r\nSlang declares the textures in struct like so:\r\n```C++\r\nlayout(binding = 1)\r\nuniform texture2DArray SLANG_parameterBlock_PerFrameCB_gCsmData_shadowMap[4];\r\nlayout(binding = 2)\r\nuniform sampler SLANG_parameterBlock_PerFrameCB_gCsmData_csmSampler[4];\r\n```\r\n\r\nBut binding (1) is already used by `gSampler`. The issue is that the location is computed relative to the constant-buffer binding (I confirmed that it can be fixed by changing the CB binding).\r\n\r\nThis is another thing we need to solve before the release, as CSM uses texture-in-array-of-struct. Slang/glslang gives no indication that something went wrong and the user will have a hard time debugging it.",
"title": "Incorrect binding calculation for textures in array-of-structs",
"type": "issue"
},
{
"action": "created",
"author": "tangent-vector",
"comment_id": 316073626,
"datetime": 1500386610000,
"masked_author": "username_1",
"text": "What is the behavior you'd expect? It looks to me like the Slang compiler is doing exactly what you told if to, and the problem is that the original problem has overlapping bindings.\r\n\r\nTo put it in terms of a simpler example, suppose I had:\r\n\r\n```\r\nstruct S { Texture2D a; Texture2D b; };\r\n\r\nlayout(binding = 0) S foo;\r\nlayout(binding = 1) S bar;\r\n```\r\n\r\nIn this case `foo.b` and `bar.a` will both have the same binding, but that is just because Slang did what the user said. I can try to issue an error on this (and I really will try to do that once I have time to work on it), but I can't go and move bindings around - the user told me what they expected.\r\n\r\nIn Slang's view of the world, a `cbuffer` is really no different from a `struct` variable at global scope. This means that whatever bindings it uses will always be sequential, and if the user gave us an explicit starting binding, we'll respect it.\r\n\r\nIf there is something else you think Slang should do, let me know. Unfortunately, having Slang allocate bindings for stuff inside a CB independent of the CB itself is pretty much not possible.\r\n\r\nI can see a few workarounds:\r\n- Don't use explicit bindings on a CB that contains a `Material` or similar\r\n- Use an explicit binding, but put the CB in its own set, or *after* anything else explicit in the same set\r\n- I expect the implementation in Slang won't handle it, but it would be nice if you could just specify a `set` (no `binding`) and have Slang put the CB off by itself.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "nbenty",
"comment_id": 316115362,
"datetime": 1500394400000,
"masked_author": "username_0",
"text": "Duplicate of #96",
"title": null,
"type": "comment"
},
{
"action": "closed",
"author": "nbenty",
"comment_id": null,
"datetime": 1500394400000,
"masked_author": "username_0",
"text": "",
"title": null,
"type": "issue"
}
] | 2,428 | false | false | 2 | 4 | false |
Adobe-Marketing-Cloud/aem-sites-example-custom-template-type | Adobe-Marketing-Cloud | 179,302,719 | 1 | {
"number": 1,
"repo": "aem-sites-example-custom-template-type",
"user_login": "Adobe-Marketing-Cloud"
} | [
{
"action": "opened",
"author": "gdoublev",
"comment_id": null,
"datetime": 1474914465000,
"masked_author": "username_0",
"text": "Added \"cq:template\" property so that _Initial Content_ and _Layouting_ views also work while editing the \"my-template\" template. Presently, after a clean install, you can only edit the _Structure_ of the \"my-template\" template.",
"title": "Updated my-template's .content.xml",
"type": "issue"
},
{
"action": "created",
"author": "bpauli",
"comment_id": 396938274,
"datetime": 1528896736000,
"masked_author": "username_1",
"text": "@username_0 Thank you for your contribution!",
"title": null,
"type": "comment"
}
] | 269 | false | false | 2 | 2 | true |
caskroom/homebrew-versions | caskroom | 240,324,528 | 4,100 | {
"number": 4100,
"repo": "homebrew-versions",
"user_login": "caskroom"
} | [
{
"action": "opened",
"author": "commitay",
"comment_id": null,
"datetime": 1499150139000,
"masked_author": "username_0",
"text": "After making all changes to the cask:\n\n- [x] `brew cask audit --download {{cask_file}}` is error-free.\n- [x] `brew cask style --fix {{cask_file}}` left no offenses.\n- [x] The commit message includes the cask’s name and version.\n\nAdditionally, if **updating a cask**:\n\n- [ ] [If the `sha256` changed but the `version` didn’t](https://github.com/caskroom/homebrew-cask/blob/master/doc/cask_language_reference/stanzas/sha256.md#updating-the-sha256),\n provide public confirmation by the developer: {{link}}",
"title": "Update sourcetree-beta to 2.6b1",
"type": "issue"
},
{
"action": "created",
"author": "commitay",
"comment_id": 312794861,
"datetime": 1499150951000,
"masked_author": "username_0",
"text": "Strange, `appcast` is working now but I'm getting different `sha256` locally compared to travis.",
"title": null,
"type": "comment"
}
] | 603 | false | false | 1 | 2 | false |
ohyou/twitch-viewer | null | 224,016,105 | 27 | null | [
{
"action": "opened",
"author": "Helpmenowpleaseandthanks",
"comment_id": null,
"datetime": 1493093584000,
"masked_author": "username_0",
"text": "I have Generated my own API\r\nUsed 2 Accounts to Generate Different API linked to different Twitch Accounts\r\nUsed 2 Commands with differnet API using 10 Different Verified Proxies in each script\r\nUsed 1 Command on Second PC and VPN and Used other command on First PC on normal IP address\r\n\r\nWont go Past 10 Viewers? Any fix for this?",
"title": "Wont go past 10 Viewers?",
"type": "issue"
},
{
"action": "created",
"author": "dforcen",
"comment_id": 298235921,
"datetime": 1493563100000,
"masked_author": "username_1",
"text": "Same problem, maybe it's because of twitch or the channel",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "Nikay19",
"comment_id": 299317241,
"datetime": 1493934073000,
"masked_author": "username_2",
"text": "Yeah same for me, anyone found a solution for that?",
"title": null,
"type": "comment"
},
{
"action": "closed",
"author": "ohyou",
"comment_id": null,
"datetime": 1506184474000,
"masked_author": "username_3",
"text": "",
"title": null,
"type": "issue"
},
{
"action": "created",
"author": "ohyou",
"comment_id": 331648454,
"datetime": 1506184474000,
"masked_author": "username_3",
"text": "I'm closing this issue because the project is currently not maintained and it will unlikely to be resolved. \r\nFor more, please read this: https://github.com/username_3/twitch-viewer/blob/master/README.md#project-state",
"title": null,
"type": "comment"
}
] | 654 | false | false | 4 | 5 | true |
dlang/phobos | dlang | 129,722,763 | 3,960 | {
"number": 3960,
"repo": "phobos",
"user_login": "dlang"
} | [
{
"action": "opened",
"author": "yebblies",
"comment_id": null,
"datetime": 1454062147000,
"masked_author": "username_0",
"text": "I don't think it's possible to unittest this without making excessive assumptions.\r\n\r\nhttps://issues.dlang.org/show_bug.cgi?id=15621",
"title": "Issue 15621 - std.file.rename does not allow moving files to a different drive",
"type": "issue"
},
{
"action": "created",
"author": "wilzbach",
"comment_id": 239719548,
"datetime": 1471229615000,
"masked_author": "username_1",
"text": "Can someone assign the decision to Andrei? Seems like we need a judge & final decision :/",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "andralex",
"comment_id": 284265325,
"datetime": 1488750197000,
"masked_author": "username_2",
"text": "Cool, I assume the Posix version already has the capability.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "braddr",
"comment_id": 284969577,
"datetime": 1488958824000,
"masked_author": "username_3",
"text": "Removed the auto-merge tag since the presumption is false.\r\n@username_2 posix does not rename across disks, see the feb 2 comment from @schuetzm",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "andralex",
"comment_id": 285777449,
"datetime": 1489178080000,
"masked_author": "username_2",
"text": "Eh, in that case we need to get the Posix version done. An implementation with diverging capabilities on different OSs does more harm than good. @username_0 please reopen when up for it, thx!",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "yebblies",
"comment_id": 285930819,
"datetime": 1489308367000,
"masked_author": "username_0",
"text": "Ok, implementing the posix fallback should be easy since copy and delete are already part of this module.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "marler8997",
"comment_id": 378416016,
"datetime": 1522793521000,
"masked_author": "username_4",
"text": "@username_0 \r\n\r\nI ran into this problem with http://github.com/username_4/rund It looks like you were going to modify this PR to also work on POSIX...are you able to do that and finish this PR?",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "jmdavis",
"comment_id": 378448756,
"datetime": 1522804669000,
"masked_author": "username_5",
"text": "I don't have a Linux system to test this behavior at the moment, but I can guarantee that FreeBSD won't rename across filesystems, and I run into this problem fairly often. AFAIK, the only way to make this work in general is to try `rename`, and then if it fails, try to copy the file and then delete the original. But at this point, if we do something like that, I think that it should probably be a new function which is explicit about this behavior - particularly since the name `rename` carries with it certain expectations (particularly for those familiar with POSIX), and changing the current behavior could have unexpected consequences in existing code.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "jmdavis",
"comment_id": 378450165,
"datetime": 1522805204000,
"masked_author": "username_5",
"text": "Honestly, I'd rather have a new function, particularly since the behavior of `rename` carries with it the implication of `CanCopy.no`, and it's way more verbose to have to pass a flag for what is arguably the default behavior that many folks will want. The other nasty question here is what to do about directories. With `rename`, you can move a directory, and it's not a problem, but with a function designed to actually move a file and not just rename it, moving a directory could entail recursively copying the directory and the deleting the original. I'd be tempted to argue that we should punt on that and just add `moveFile` which only works on files and not directories.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "marler8997",
"comment_id": 378451462,
"datetime": 1522805672000,
"masked_author": "username_4",
"text": "https://github.com/dlang/phobos/pull/6417",
"title": null,
"type": "comment"
}
] | 2,287 | false | false | 6 | 10 | true |
devfd/react-native-google-signin | null | 160,403,948 | 88 | null | [
{
"action": "opened",
"author": "karolsojko",
"comment_id": null,
"datetime": 1465991708000,
"masked_author": "username_0",
"text": "I think I did everything according to the Readme - the app runs and works, but when I click the Google Sign In button it crashes - what I can see in the logs is:\r\n\r\n```\r\nHelloWorldApp[75023:1475420] *** Terminating app due to uncaught exception \r\n'NSInvalidArgumentException', reason: 'uiDelegate must either be a |UIViewController| \r\nor implement the |signIn:presentViewController:| and |signIn:dismissViewController:| methods from |GIDSignInUIDelegate|.'\r\n```\r\n\r\nDoes anyone have any idea how to fix this?",
"title": "[iOS] uiDelegate is not a UIViewController",
"type": "issue"
},
{
"action": "created",
"author": "karolsojko",
"comment_id": 226210108,
"datetime": 1466001978000,
"masked_author": "username_0",
"text": "I've been able to fix this with a custom `ViewController.h` and `ViewController.m` - so the part from Google Docs https://developers.google.com/identity/sign-in/ios/sign-in#add_the_sign-in_button - should be added as a reference to the docs",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "devfd",
"comment_id": 232860989,
"datetime": 1468559431000,
"masked_author": "username_1",
"text": "@username_0 thanks for reporting this. Any chance you can set up a public repo or best a PR so that I can look into it ?",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "tomeng728",
"comment_id": 235294984,
"datetime": 1469545122000,
"masked_author": "username_2",
"text": "@username_0 Seeing the same error here! What do you mean by customer ViewController files?\r\n\r\nThanks",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "karolsojko",
"comment_id": 236120520,
"datetime": 1469779774000,
"masked_author": "username_0",
"text": "@username_2 I used this repo as a refference and copied ViewControllers or most of their contents https://github.com/googlesamples/google-services/tree/master/ios/signin/SignInExample",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "khuong291",
"comment_id": 264054708,
"datetime": 1480556941000,
"masked_author": "username_3",
"text": "+1",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "joaofranca",
"comment_id": 287386896,
"datetime": 1489764687000,
"masked_author": "username_4",
"text": "@username_0 can you be a little more specific? My problem is not copying/adapting the view controllers or the code, but in the context of react-native how does this all blend together?",
"title": null,
"type": "comment"
},
{
"action": "closed",
"author": "jozan",
"comment_id": null,
"datetime": 1527365189000,
"masked_author": "username_5",
"text": "",
"title": null,
"type": "issue"
},
{
"action": "created",
"author": "jozan",
"comment_id": 392285121,
"datetime": 1527365189000,
"masked_author": "username_5",
"text": "This is quite old issue and we have not seen similar reports lately. If you experience this don't hesitate to create a new issue.",
"title": null,
"type": "comment"
}
] | 1,464 | false | false | 6 | 9 | true |
SumoLogic/sumologic-net-appenders | SumoLogic | 226,273,008 | 35 | {
"number": 35,
"repo": "sumologic-net-appenders",
"user_login": "SumoLogic"
} | [
{
"action": "opened",
"author": "TerribleDev",
"comment_id": null,
"datetime": 1493902832000,
"masked_author": "username_0",
"text": "* No more stylecop \r\n * We'll have to circle back and fix, but it keeps trying to load assemblies not found in the coreclr\r\n* Comment out xsltransform to convert nunit to junit \r\n * xsltransforms currently do not exist but will probably comeback when netstandard 2.0 comes back\r\n* Use the dotnet cli to compile and create packages\r\n* Move AssemblyInfo data to csproj files\r\n* Update log4net to target 2.0.8\r\n* Replace System.Timers.Timer with System.Threading.Timer as System.Timers.Timer is not in netstandard\r\n* Replace Thread.Sleep with Task.Delay as Thread.Sleep is not in netstandard 1.5\r\n* Move SumoLogic.Logging.Common to seperate package\r\n * The dotnet cli, and the msbuild based nuget pack tasks, do not allow you to easily package dependent project dlls. There are workarounds, but do not work with multiTarget builds, and honestly it feels like it should be a seperate package anyway.\r\n* Only console log on the Desktop CLR\r\n* Target NLog 5.0.0-beta7 only on the core clr\r\n * I kept the desktop on 4.x since NLog 5 is only in beta.\r\n* I did **not** port the tests projects. Mostly because they didn't need to be ported, and this was enough work as it is\r\n\r\n \r\nsee #19 and #22",
"title": "port2csproj + target core!",
"type": "issue"
},
{
"action": "created",
"author": "latkin",
"comment_id": 300014974,
"datetime": 1494284605000,
"masked_author": "username_1",
"text": "woot, this is on my list to review this week.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "latkin",
"comment_id": 300023989,
"datetime": 1494288166000,
"masked_author": "username_1",
"text": "Getting this when building with CI bat file first time:\r\n\r\n```\r\nDONE UPDATING NUGET PACKAGES\r\n\r\nBUILDING SOLUTION ...\r\n=====================\r\nMicrosoft (R) Build Engine version 15.1.548.43366\r\nCopyright (C) Microsoft Corporation. All rights reserved.\r\n\r\nC:\\src\\terribledev-sumologic-net-appenders\\SumoLogic.Logging.Log4Net.Tests\\SumoLogic.Logging.Log4Net.Tests.csproj(114,5): error : This project references NuGet package(s) that are missing on this computer. Enable NuGet Package Restore to download them. For more information, see http://go.microsoft.com/fwlink/?LinkID=322105. The missing file is ..\\packages\\xunit.core.2.0.0\\build\\portable-net45+win+wpa81+wp80+monotouch+monoandroid+Xamarin.iOS\\xunit.core.props.\r\nC:\\src\\terribledev-sumologic-net-appenders\\SumoLogic.Logging.EnterpriseLibrary.Tests\\SumoLogic.Logging.EnterpriseLibrary.Tests.csproj(99,5): error : This project references NuGet package(s) that are missing on this computer. Enable NuGet Package Restore to download them. For more information, see http://go.microsoft.com/fwlink/?LinkID=322105. The missing file is ..\\packages\\xunit.core.2.0.0\\build\\portable-net45+win+wpa81+wp80+monotouch+monoandroid+Xamarin.iOS\\xunit.core.props.\r\nC:\\src\\terribledev-sumologic-net-appenders\\SumoLogic.Logging.NLog.Tests\\SumoLogic.Logging.NLog.Tests.csproj(115,5): error : This project references NuGet package(s) that are missing on this computer. Enable NuGet Package Restore to download them. For more information, see http://go.microsoft.com/fwlink/?LinkID=322105. The missing file is ..\\packages\\xunit.core.2.0.0\\build\\portable-net45+win+wpa81+wp80+monotouch+monoandroid+Xamarin.iOS\\xunit.core.props.\r\nC:\\src\\terribledev-sumologic-net-appenders\\SumoLogic.Logging.Common.Tests\\SumoLogic.Logging.Common.Tests.csproj(107,5): error : This project references NuGet package(s) that are missing on this computer. Enable NuGet Package Restore to download them. For more information, see http://go.microsoft.com/fwlink/?LinkID=322105. The missing file is ..\\packages\\xunit.core.2.0.0\\build\\portable-net45+win+wpa81+wp80+monotouch+monoandroid+Xamarin.iOS\\xunit.core.props.\r\n```\r\n\r\nClears if I explicitly `./.nuget/nuget.exe restore` from repo root, but this should work out of the box.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "TerribleDev",
"comment_id": 300124907,
"datetime": 1494325825000,
"masked_author": "username_0",
"text": "its supposed to run dotnet restore before the build on this line here: https://github.com/SumoLogic/sumologic-net-appenders/pull/35/files#diff-6ee9f301d8821dfdceea09f2967f45a1R30",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "TerribleDev",
"comment_id": 300125232,
"datetime": 1494325922000,
"masked_author": "username_0",
"text": "@username_1 I can't repro the bad restore you previously mentioned. Do you have the newest version of the dotnet cli installed? In this file it should do a restore. Do you see that output when you run this? https://github.com/SumoLogic/sumologic-net-appenders/pull/35/files#diff-6ee9f301d8821dfdceea09f2967f45a1R30",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "TerribleDev",
"comment_id": 300126488,
"datetime": 1494326319000,
"masked_author": "username_0",
"text": "nvm I was able to repro it",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "TerribleDev",
"comment_id": 300127715,
"datetime": 1494326718000,
"masked_author": "username_0",
"text": "nvm I was able to repro it 568e54f",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "TerribleDev",
"comment_id": 300127825,
"datetime": 1494326761000,
"masked_author": "username_0",
"text": "Here is the issue related to stylecop https://github.com/StyleCop/StyleCop/issues/126",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "TerribleDev",
"comment_id": 300185503,
"datetime": 1494340674000,
"masked_author": "username_0",
"text": "@username_1 I pushed some updates\r\n\r\n* fix whitespace (I realized my text editor was set to tabs and not spaces) 17945c5 \r\n* fix restoring of both older style packages and newer ones\t568e54f",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "latkin",
"comment_id": 300913952,
"datetime": 1494536046000,
"masked_author": "username_1",
"text": "Awesome! Builds/tests clean, and sanity check on a desktop and .net core app both work great.\r\n\r\nThank you for the hard work to get this all together! I will get a new nuget package published soon.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "TerribleDev",
"comment_id": 300946116,
"datetime": 1494546383000,
"masked_author": "username_0",
"text": "@username_1 Holy CRAPPPPPPPPPPPPPPPPPPPPPP\r\n\r\nOk, so when can I expect my sumologic hoodie 😛",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "TerribleDev",
"comment_id": 300946611,
"datetime": 1494546577000,
"masked_author": "username_0",
"text": "Just kidding, but thanks this is awesome.\r\n\r\ncc @username_2",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "latkin",
"comment_id": 300973815,
"datetime": 1494559285000,
"masked_author": "username_1",
"text": "@username_0 let me see what we can do... 😉 \r\n\r\nQQ -- nuget yells at me b/c NLog package for .NET Core is still pre-release, but our package is (as it stands) marked stable.\r\n\r\nI am thinking I'll push 1.0.0.3 for Common + Log4Net, but push 1.0.0.3-beta1 for NLog so that one is marked pre-release. Is that the right way to do this?",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "TerribleDev",
"comment_id": 301053906,
"datetime": 1494588931000,
"masked_author": "username_0",
"text": "@username_1 You can just set the version in the csproj to have that suffix. So just make the version say 1.0.0.3-beta1\r\n\r\nYou can also pass in versions on the command D line\r\n\r\ndotnet pack awesome.csproj /p:Version=1.0.0.3-beta1",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "TerribleDev",
"comment_id": 301054026,
"datetime": 1494588966000,
"masked_author": "username_0",
"text": "@username_1 that sounds like a solid plan btw",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "billpratt",
"comment_id": 301170802,
"datetime": 1494618854000,
"masked_author": "username_2",
"text": "Nice work!",
"title": null,
"type": "comment"
}
] | 5,239 | false | false | 3 | 16 | true |
mldbai/mldb | mldbai | 213,123,767 | 862 | {
"number": 862,
"repo": "mldb",
"user_login": "mldbai"
} | [
{
"action": "opened",
"author": "guyd",
"comment_id": null,
"datetime": 1489083898000,
"masked_author": "username_0",
"text": "",
"title": "[MLDB-2163] add support to call functions and query with POST",
"type": "issue"
},
{
"action": "created",
"author": "guyd",
"comment_id": 285446616,
"datetime": 1489086022000,
"masked_author": "username_0",
"text": "@username_1 What is missing?",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "FinchPowers",
"comment_id": 285447864,
"datetime": 1489086299000,
"masked_author": "username_1",
"text": "* routes /v1/query and /v1/functions must not to be modified.\r\n* route /v1/get must be added.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "jeremybarnes",
"comment_id": 286214997,
"datetime": 1489432873000,
"masked_author": "username_2",
"text": "+1 from me",
"title": null,
"type": "comment"
}
] | 132 | false | false | 3 | 4 | true |
milligram/milligram | milligram | 128,594,937 | 61 | null | [
{
"action": "opened",
"author": "voodah",
"comment_id": null,
"datetime": 1453743258000,
"masked_author": "username_0",
"text": "Everything looks very similar to Skeleton (http://getskeleton.com/). \r\n\r\nDid you take some inspiration from them?",
"title": "Similarity to Skeleton",
"type": "issue"
},
{
"action": "closed",
"author": "cjpatoilo",
"comment_id": null,
"datetime": 1453745027000,
"masked_author": "username_1",
"text": "",
"title": null,
"type": "issue"
},
{
"action": "created",
"author": "cjpatoilo",
"comment_id": 174604925,
"datetime": 1453745027000,
"masked_author": "username_1",
"text": "Hi @username_0 \r\n\r\nSkeleton is a awesome reference but if look at the code you will see that the resemblance is related apelas by simplicity of design. \r\n\r\nSee this article, I'll tell him more about how this project began.\r\nhttps://medium.com/@username_1/milligram-a-minimalist-css-framework-e0496aea8167#.qaab27kgz",
"title": null,
"type": "comment"
}
] | 423 | false | false | 2 | 3 | true |
kenwheeler/slick | null | 106,584,205 | 1,731 | null | [
{
"action": "opened",
"author": "CandiceYap",
"comment_id": null,
"datetime": 1442331637000,
"masked_author": "username_0",
"text": "Please help, can slick carousel change the dots with text? like numbering 1 2 3... sample like : http://www.css-jquery-design.com/wp-content/uploads/2012/05/dg_slider-ultimate-jquery-content-slider-with-multiple-options.jpg Thanks!",
"title": "How can i change the dots to text? like numbering",
"type": "issue"
},
{
"action": "created",
"author": "kenwheeler",
"comment_id": 140442462,
"datetime": 1442332830000,
"masked_author": "username_1",
"text": "Using the customPaging option",
"title": null,
"type": "comment"
},
{
"action": "closed",
"author": "kenwheeler",
"comment_id": null,
"datetime": 1442332833000,
"masked_author": "username_1",
"text": "",
"title": null,
"type": "issue"
}
] | 260 | false | false | 2 | 3 | false |
twbs/bootstrap | twbs | 8,084,744 | 5,782 | null | [
{
"action": "opened",
"author": "Merg1255",
"comment_id": null,
"datetime": 1351992411000,
"masked_author": "username_0",
"text": "Tooltips should allow an option to set the background color (currently #000 with opacity). It will be useful in many applications.",
"title": "Tooltip: Add color option",
"type": "issue"
},
{
"action": "created",
"author": "leecollings",
"comment_id": 471536632,
"datetime": 1552310688000,
"masked_author": "username_1",
"text": "Why not?",
"title": null,
"type": "comment"
}
] | 138 | false | false | 2 | 2 | false |
rails/sprockets-rails | rails | 69,008,218 | 235 | null | [
{
"action": "opened",
"author": "rickpr",
"comment_id": null,
"datetime": 1429217791000,
"masked_author": "username_0",
"text": "`uname -a`\r\n```\r\nLinux centaurus 3.10.0-123.20.1.el7.x86_64 #1 SMP Thu Jan 29 18:05:33 UTC 2015 x86_64 x86_64 x86_64 GNU/Linux\r\n```\r\nOS: CentOS Linux release 7.0.1406 (Core)\r\n\r\nThis also is present on Fedora 21, and Ubuntu 14.04.\r\n\r\n# Steps to reproduce:\r\n\r\nMake a new Rails application:\r\n```\r\nrails new my_app\r\n```\r\n\r\nAdd Twitter Bootstrap and Less Rails to the application (also uncomment `therubyracer`):\r\n``` ruby\r\ngem 'therubyracer'\r\ngem 'twitter-bootstrap-rails'\r\ngem 'less-rails'\r\n```\r\n\r\nInstall Bootstrap Less using the preconfigured generators:\r\n```\r\nrails g bootstrap install:less\r\nrails g bootstrap layout\r\n```\r\n\r\nNow, try to compile assets\r\n```\r\nrake assets:precompile\r\n```\r\nErrors:\r\n```\r\nNoMethodError: undefined method `[]' for nil:NilClass\r\n/home/fdisk/.rvm/gems/ruby-2.2.1/gems/less-rails-2.6.0/lib/less/rails/template_handlers.rb:37:in `config_paths'\r\n```\r\n\r\n# Workaround\r\nThis is because the `env.context_class.less_config` is set to `nil` by Sprockets. The `less-rails` Railtie makes this config variable, and I also tried writing an initializer but this gets destroyed when put into `Sprockets::CachedEnvironment`. Edit `~/.rvm/gems/ruby-2.2.1/gems/sprockets-3.0.1/lib/rake/sprocketstask.rb` and on line 147, add the following:\r\n``` ruby\r\nenv.context_class.less_config = app.config.less\r\n```\r\n\r\nYou may now precompile assets.\r\n\r\nI will try to find out why this variable gets lost. Currently I can't figure out how this is called.",
"title": "Can't use with Twitter Bootstrap Rails or Less Rails (with hacky workaround)",
"type": "issue"
},
{
"action": "created",
"author": "josh",
"comment_id": 93845344,
"datetime": 1429220213000,
"masked_author": "username_1",
"text": "I think the less railtie should probably be wrapping its access in an `config.assets.configure` block rather than an initializer here https://github.com/metaskills/less-rails/blob/master/lib/less/rails/railtie.rb#L21-L27",
"title": null,
"type": "comment"
},
{
"action": "closed",
"author": "josh",
"comment_id": null,
"datetime": 1430885568000,
"masked_author": "username_1",
"text": "",
"title": null,
"type": "issue"
}
] | 1,669 | false | false | 2 | 3 | false |
FaridSafi/react-native-gifted-chat | null | 213,841,523 | 396 | null | [
{
"action": "opened",
"author": "gperdomor",
"comment_id": null,
"datetime": 1489426334000,
"masked_author": "username_0",
"text": "Hi...\r\n\r\nCan you release a 0.1.4 version to get `renderAvatarOnTop` using yarn or npm without using the repository url?",
"title": "[Proposal] Release 0.1.4",
"type": "issue"
},
{
"action": "created",
"author": "kfiroo",
"comment_id": 289282132,
"datetime": 1490533543000,
"masked_author": "username_1",
"text": "@username_0 Sorry for the delay, I was AFK for a month now.\r\nI'll do it later this week",
"title": null,
"type": "comment"
},
{
"action": "closed",
"author": "xcarpentier",
"comment_id": null,
"datetime": 1549969199000,
"masked_author": "username_2",
"text": "",
"title": null,
"type": "issue"
}
] | 205 | false | false | 3 | 3 | true |
DevExpress/AjaxControlToolkit | DevExpress | 186,508,447 | 252 | {
"number": 252,
"repo": "AjaxControlToolkit",
"user_login": "DevExpress"
} | [
{
"action": "opened",
"author": "MikhailTymchukDX",
"comment_id": null,
"datetime": 1477998230000,
"masked_author": "username_0",
"text": "The current ChromeDriver produces an error starting with Chrome v.54: http://stackoverflow.com/q/40240299/644496\r\n\r\nChromeDriver v2.25 supports it.",
"title": "Update chromedriver.exe",
"type": "issue"
},
{
"action": "created",
"author": "AlekseyMartynov",
"comment_id": 257541925,
"datetime": 1477998853000,
"masked_author": "username_1",
"text": "LGTM",
"title": null,
"type": "comment"
}
] | 151 | false | false | 2 | 2 | false |
typicode/lowdb | null | 107,657,139 | 67 | null | [
{
"action": "opened",
"author": "tosone",
"comment_id": null,
"datetime": 1442905255000,
"masked_author": "username_0",
"text": "i find another application changed the db, but anything has changed in this application, because all data is in the memory. I think refresh API is nessary.",
"title": "A refresh API?",
"type": "issue"
},
{
"action": "created",
"author": "typicode",
"comment_id": 142835042,
"datetime": 1443078181000,
"masked_author": "username_1",
"text": "Hi @username_0,\r\n\r\nCan you provide some code example of what you need or the problem?",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "typicode",
"comment_id": 169549661,
"datetime": 1452141999000,
"masked_author": "username_1",
"text": "There's now a `db.read()` method. Thank you for the suggestion :+1:",
"title": null,
"type": "comment"
},
{
"action": "closed",
"author": "typicode",
"comment_id": null,
"datetime": 1452141999000,
"masked_author": "username_1",
"text": "",
"title": null,
"type": "issue"
},
{
"action": "created",
"author": "anthlasserre",
"comment_id": 398736598,
"datetime": 1529498928000,
"masked_author": "username_2",
"text": "@username_1 Can you join an user example of db.read() ?\r\nI don't really understand how it works, I just want to refresh all my database state after a db.get('test').push(data).write()",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "HeCorr",
"comment_id": 804515535,
"datetime": 1616462936000,
"masked_author": "username_3",
"text": "well, I'm a few years late but this is how to use it, in case anyone finds this: `db.read().get('whatever').push(data).write()`",
"title": null,
"type": "comment"
}
] | 613 | false | false | 4 | 6 | true |
gabdube/native-windows-gui | null | 256,479,776 | 51 | {
"number": 51,
"repo": "native-windows-gui",
"user_login": "gabdube"
} | [
{
"action": "opened",
"author": "zoumi",
"comment_id": null,
"datetime": 1505010221000,
"masked_author": "username_0",
"text": "",
"title": "Hide console window for the example in readme.md",
"type": "issue"
},
{
"action": "created",
"author": "gabdube",
"comment_id": 328315280,
"datetime": 1505010342000,
"masked_author": "username_1",
"text": "Yup. That is a good idea.",
"title": null,
"type": "comment"
}
] | 25 | false | false | 2 | 2 | false |
AnalyticalGraphicsInc/cesium-concierge | AnalyticalGraphicsInc | 268,461,288 | 90 | {
"number": 90,
"repo": "cesium-concierge",
"user_login": "AnalyticalGraphicsInc"
} | [
{
"action": "opened",
"author": "ggetz",
"comment_id": null,
"datetime": 1508948353000,
"masked_author": "username_0",
"text": "`Path.join` does not preserve the `//` in for urls.\r\n\r\n@username_1",
"title": "Resolve urls properly",
"type": "issue"
},
{
"action": "created",
"author": "mramato",
"comment_id": 339387907,
"datetime": 1508948690000,
"masked_author": "username_1",
"text": "In general, using `path.join` for urls is a really bad idea. I think `url.resolve` will do what you want. `url.resolve('http://example.com/', '/one') // 'http://example.com/one'`",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "ggetz",
"comment_id": 339388371,
"datetime": 1508948775000,
"masked_author": "username_0",
"text": "Yep, that's what I updated it to. 👍 Lesson learned.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "mramato",
"comment_id": 339388534,
"datetime": 1508948806000,
"masked_author": "username_1",
"text": "Whoops, totally misread the diff 😄 sorry.",
"title": null,
"type": "comment"
}
] | 337 | false | false | 2 | 4 | true |
rackerlabs/repose | rackerlabs | 140,255,106 | 1,495 | {
"number": 1495,
"repo": "repose",
"user_login": "rackerlabs"
} | [
{
"action": "opened",
"author": "Mario-Lopez",
"comment_id": null,
"datetime": 1457720342000,
"masked_author": "username_0",
"text": "Updated pom.xml to target Java 8.",
"title": "Java 8",
"type": "issue"
},
{
"action": "created",
"author": "wdschei",
"comment_id": 196344163,
"datetime": 1457966647000,
"masked_author": "username_1",
"text": "This is already part of [REP-3166](https://github.com/rackerlabs/repose/blob/REP-3166_UpgradeScala2-10to2-11/pom.xml#L82-L92).",
"title": null,
"type": "comment"
}
] | 159 | false | false | 2 | 2 | false |
formix/infernal-engine | null | 128,584,968 | 12 | null | [
{
"action": "opened",
"author": "formix",
"comment_id": null,
"datetime": 1453740777000,
"masked_author": "username_0",
"text": "The `load` method will take one object as a parameter.\r\n\r\nWithin that object:\r\n* values will be added as facts at their corresponding context and name.\r\n* functions will be added as rules at their corresponding context and name.",
"title": "Add the `load` method",
"type": "issue"
},
{
"action": "closed",
"author": "formix",
"comment_id": null,
"datetime": 1454177091000,
"masked_author": "username_0",
"text": "",
"title": null,
"type": "issue"
}
] | 228 | false | false | 1 | 2 | false |
androidannotations/androidannotations | androidannotations | 245,171,163 | 2,028 | null | [
{
"action": "opened",
"author": "ahornerr",
"comment_id": null,
"datetime": 1500921495000,
"masked_author": "username_0",
"text": "* Try:\r\nRun with --stacktrace option to get the stack trace. Run with --info or --debug option to get more log output.\r\n\r\nBUILD FAILED in 1s\r\n13 actionable tasks: 1 executed, 12 up-to-date\r\n```\r\n\r\n[Link to full modified build.gradle](https://gist.github.com/username_0/3a82d3958a79621d520c4284392a3f17)\r\n\r\nChecking the generated path that the error spits out, `androidannotations/examples/kotlin/build/generated/source/kapt/some_flavorDebug/` is empty. \r\n\r\nUp a level at `androidannotations/examples/kotlin/build/generated/source/kapt/` there is an `androidannotations.log` file with the following contents:\r\n\r\n```\r\n14:31:52.154 [RMI TCP Connection(51)-127.0.0.1] ERROR o.a.i.h.AndroidManifestFinder:147 - Could not find the AndroidManifest.xml file, using generation folder [androidannotations/examples/kotlin/build/generated/source/kapt/some_flavorDebug])\r\n```\r\n\r\n#### AndroidAnnotations version:\r\n4.4.0-SHAPSHOT\r\n\r\n#### Android compile SDK version:\r\n25",
"title": "'Could not find the AndroidManifest.xml file' error using AA 4.4.0-SNAPSHOT and Android Gradle plugin 3.0.0-alpha7 with productFlavors",
"type": "issue"
},
{
"action": "created",
"author": "WonderCsabo",
"comment_id": 317537919,
"datetime": 1500926558000,
"masked_author": "username_1",
"text": "Thanks for the detailed bug report! Is this happening if you do not use\nkotlin? Where is the generated full manifest is at in your case?",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "ahornerr",
"comment_id": 317538743,
"datetime": 1500926753000,
"masked_author": "username_0",
"text": "It looks like the generated manifest is at `androidannotations/examples/kotlin/build/intermediates/manifests/full/some_flavor/debug/AndroidManifest.xml` but not in the `generated`folder.\r\n\r\nI haven't tested without kotlin but I can tomorrow.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "ahornerr",
"comment_id": 317816645,
"datetime": 1501005093000,
"masked_author": "username_0",
"text": "@username_1 Swapping out `kapt` for `annotationProcessor`, disabling the `kotlin-apt` Gradle plugin, it appears to work.\r\n\r\nIt seems like kapt may be the issue here. I'm also getting a warning for both `kapt` and `annotationProcessor`:\r\n\r\n```\r\nwarning: The following options were not recognized by any processor: '[resourcePackageName]'\r\n```",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "ahornerr",
"comment_id": 317820762,
"datetime": 1501005947000,
"masked_author": "username_0",
"text": "It appears that the `resourcePackageName` annotation processor issue is related to the Android Gradle plugin, see: https://developer.android.com/studio/build/gradle-plugin-3-0-0-migration.html#variant_api\r\n\r\nThis breaks my current workflow because each of my application flavors have different application IDs.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "WonderCsabo",
"comment_id": 317859962,
"datetime": 1501014001000,
"masked_author": "username_1",
"text": "The application ID may be different, but your resource package name should\nbe the same (this is the package where the R file is generated). In all my\nprojects I have the same Workflow as you. Moreover, I think the linked\nchange is not related to this.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "WonderCsabo",
"comment_id": 317860451,
"datetime": 1501014108000,
"masked_author": "username_1",
"text": "Thanks for the details. Please ignore that warning, it is a false positive,\nand was always displayed.\n\n@username_2 I thought we fixed this for kapt. WDYT?",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "dodgex",
"comment_id": 317956884,
"datetime": 1501049114000,
"masked_author": "username_2",
"text": "@username_1 yes, but @username_0 states that the manifests are now generated in `build/intermediates/manifests/full/some_flavor/debug/AndroidManifest.xml` instead of `build/generated/source/[k]apt`. Maybe google changed the ouput directories once again.\r\n\r\nWe should investigate this, maybe we need to enhance/update the `GradleAndroidManifestFinderStrategy`. :/",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "WonderCsabo",
"comment_id": 317974445,
"datetime": 1501054762000,
"masked_author": "username_1",
"text": "I found what is the problem. We still have the `kapt` block which tries to set the manifest according to the `variant`. @username_0 is right, this is not working anymore. However, we already find the manifest automatically, configuring the `androidManifestFile` in the `kapt` block is not necessary. I tried it, if you remove the `kapt` block, it will compile!",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "dodgex",
"comment_id": 317975183,
"datetime": 1501054968000,
"masked_author": "username_2",
"text": "Not sure what you mean with `kapt` block?",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "WonderCsabo",
"comment_id": 317976201,
"datetime": 1501055250000,
"masked_author": "username_1",
"text": "@username_2 eh, i missed the most important thing, the flavor. It is still not working.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "WonderCsabo",
"comment_id": 317986133,
"datetime": 1501057827000,
"masked_author": "username_1",
"text": "Okay, i see what is the problem now... The Java annotation processor uses this generation folder in the end: `flavor/buildtype` . However `kapt` uses this generation folder : `flavorBuildtype`. This is pretty tricky, because we have to parse the variant name into the two parts in some way...\r\n\r\nI will report this to the Kotlin guys, maybe way agree to change this directory to be in par with the Java one.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "WonderCsabo",
"comment_id": 317988296,
"datetime": 1501058366000,
"masked_author": "username_1",
"text": "I created [this](https://youtrack.jetbrains.com/issue/KT-19245) issue. Let's see if they are willing to change this. If not, we have to come up with a workaround.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "dodgex",
"comment_id": 318023800,
"datetime": 1501067680000,
"masked_author": "username_2",
"text": "I voted for the issue. :+1:",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "ahornerr",
"comment_id": 318043791,
"datetime": 1501073527000,
"masked_author": "username_0",
"text": "I was hoping it would be possible to hook into the Android Gradle variants API to fetch the generated manifest path but unfortunately it's the same broken API that is throwing the `resourcePackageName` error. We may need to wait for the Android build team to fix the variants API first.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "ahornerr",
"comment_id": 318151146,
"datetime": 1501095779000,
"masked_author": "username_0",
"text": "I did a bit more testing, getting my project back to a stable state with an older version of the Android Gradle plugin. Using v2.3.1 and the following `kapt` configuration, I have AA v4.4.0-SNAPSHOT working.\r\n\r\n```groovy\r\nkapt {\r\n arguments {\r\n arg(\"androidManifestFile\", variant.outputs[0].processResourcesTask.manifestFile)\r\n arg(\"resourcePackageName\", android.defaultConfig.applicationId)\r\n }\r\n}\r\n```\r\n\r\nBoth of these arguments are necessary - without either of them the build will fail.\r\n\r\nKnowing that these two arguments are necessary, and that the Android Gradle plugin variants API is broken, it makes sense why AA isn't working for me with the 3.0.0-alpha plugin.",
"title": null,
"type": "comment"
},
{
"action": "closed",
"author": "WonderCsabo",
"comment_id": null,
"datetime": 1501405843000,
"masked_author": "username_1",
"text": "",
"title": null,
"type": "issue"
}
] | 4,801 | false | false | 3 | 17 | true |
indexzero/nconf | null | 152,802,072 | 220 | null | [
{
"action": "opened",
"author": "deveras",
"comment_id": null,
"datetime": 1462289103000,
"masked_author": "username_0",
"text": "Hi guys, \r\n\r\nI've tried nconf and loved it!\r\nIt would be great to be able to use with \"child_process\" execFile() and phantomjs, I tried but it complains about a few things (like the absense of __dirname). If you guys get it working let me know how, I would love to use it again. Apologies for not coding it myself\r\n\r\nBest regards",
"title": "phantomjs",
"type": "issue"
}
] | 329 | false | false | 1 | 1 | false |
angular-actioncable/angular-actioncable | angular-actioncable | 151,789,352 | 21 | {
"number": 21,
"repo": "angular-actioncable",
"user_login": "angular-actioncable"
} | [
{
"action": "opened",
"author": "Neil-Ni",
"comment_id": null,
"datetime": 1461902722000,
"masked_author": "username_0",
"text": "https://github.com/angular-actioncable/angular-actioncable/issues/19\r\n- switched from\r\n```\r\nActionCableSocketWrangler.connected()\r\nActionCableSocketWrangler.connecting()\r\nActionCableSocketWrangler.disconnected()\r\n```\r\nto\r\n```\r\nActionCableSocketWrangler.connected\r\nActionCableSocketWrangler.connecting\r\nActionCableSocketWrangler.disconnected\r\n```",
"title": "chore: switch wrangler connection status to properties",
"type": "issue"
},
{
"action": "created",
"author": "razorcd",
"comment_id": 215775804,
"datetime": 1461945429000,
"masked_author": "username_1",
"text": "This is great!",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "b264",
"comment_id": 215809531,
"datetime": 1461949120000,
"masked_author": "username_2",
"text": "Thank you",
"title": null,
"type": "comment"
}
] | 368 | false | false | 3 | 3 | false |
dinukadesilva/music-ctrls | null | 166,633,910 | 53 | null | [
{
"action": "opened",
"author": "simonbates",
"comment_id": null,
"datetime": 1469034740000,
"masked_author": "username_0",
"text": "On Firefox, it is only possible to initiate change with the mouse if the mouse cursor is positioned in the range of approximately 45% to 55%. Outside that range, it is not possible to initiate change of the value with the mouse.\r\n\r\nThis issue does not appear on Chrome.",
"title": "[Knob] Mouse control on Firefox only works when value approximately 45% - 55%",
"type": "issue"
},
{
"action": "created",
"author": "dinukadesilva",
"comment_id": 234467319,
"datetime": 1469169990000,
"masked_author": "username_1",
"text": "@username_0 Can you provide more details about this...... because it seems the knob is working very well in firefox for me.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "simonbates",
"comment_id": 234572942,
"datetime": 1469200795000,
"masked_author": "username_0",
"text": "This appears to be working for me now -- maybe another change has fixed?\r\n\r\nI'll close this issue.",
"title": null,
"type": "comment"
},
{
"action": "closed",
"author": "simonbates",
"comment_id": null,
"datetime": 1469200795000,
"masked_author": "username_0",
"text": "",
"title": null,
"type": "issue"
},
{
"action": "created",
"author": "simonbates",
"comment_id": 235654713,
"datetime": 1469639687000,
"masked_author": "username_0",
"text": "I'm still seeing this on my home computer (but not my work computer, which is weird).\r\n\r\nComputer that I'm seeing the issue on:\r\n\r\n- Firefox 47.0\r\n - No extensions\r\n - Plugins: OpenH264 Video Codec\r\n- Ubuntu 16.04.1 LTS",
"title": null,
"type": "comment"
},
{
"action": "reopened",
"author": "simonbates",
"comment_id": null,
"datetime": 1469639689000,
"masked_author": "username_0",
"text": "On Firefox, it is only possible to initiate change with the mouse if the mouse cursor is positioned in the range of approximately 45% to 55%. Outside that range, it is not possible to initiate change of the value with the mouse.\r\n\r\nThis issue does not appear on Chrome.",
"title": "[Knob] Mouse control on Firefox only works when value approximately 45% - 55%",
"type": "issue"
},
{
"action": "created",
"author": "simonbates",
"comment_id": 237575770,
"datetime": 1470322001000,
"masked_author": "username_0",
"text": "Okay, we were able to figure this out. This issue is seen when the page zoom is increased in Firefox. At 100% page zoom, the controls act as desired. When the page zoom is increased, say to 200%, the controls have problems.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "dinukadesilva",
"comment_id": 238774891,
"datetime": 1470809590000,
"masked_author": "username_1",
"text": "@username_0 @sepidehshahi\r\n\r\nThis issue has been fixed now, Could you please verify this again.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "simonbates",
"comment_id": 239274658,
"datetime": 1470945741000,
"masked_author": "username_0",
"text": "Yes, I confirm that I am no longer seeing this issue. I verified at 200% zoom on Firefox.",
"title": null,
"type": "comment"
},
{
"action": "closed",
"author": "dinukadesilva",
"comment_id": null,
"datetime": 1470972846000,
"masked_author": "username_1",
"text": "",
"title": null,
"type": "issue"
}
] | 1,387 | false | false | 2 | 10 | true |
markmarkoh/datamaps | null | 221,225,000 | 390 | null | [
{
"action": "opened",
"author": "pierpaolocira",
"comment_id": null,
"datetime": 1491994523000,
"masked_author": "username_0",
"text": "Ok, I know there is the possibility to add custom topojson maps, but I think it would be great to directly provide users with more than two maps.\r\nOk for world and USA, but what about starting with Europe and eventually move forward?",
"title": "Add other scopes",
"type": "issue"
},
{
"action": "created",
"author": "Chalkin",
"comment_id": 401383493,
"datetime": 1530284894000,
"masked_author": "username_1",
"text": "Plus 1 for this. Would love to see scopes for South America, Asia, Africa, Europe and Australie/Indonesia.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "HanandaIZ",
"comment_id": 466782332,
"datetime": 1551018781000,
"masked_author": "username_2",
"text": "can someone please answer this, i need this too",
"title": null,
"type": "comment"
}
] | 386 | false | false | 3 | 3 | false |
dresende/node-orm2 | null | 119,712,195 | 679 | {
"number": 679,
"repo": "node-orm2",
"user_login": "dresende"
} | [
{
"action": "opened",
"author": "stueynz",
"comment_id": null,
"datetime": 1448974685000,
"masked_author": "username_0",
"text": "Another bug fix when using mapsTo on PK properties. We have to adjust PK property names to matching database name (using mapsTo field in property definition) when setting up JOIN for Many association.\r\n\r\nOtherwise the ON part of the JOIN clause will have the property name instead of the database field name when doing the select.",
"title": "Ensure hasMany() associations work when properties have mapsTo",
"type": "issue"
},
{
"action": "created",
"author": "dxg",
"comment_id": 161102624,
"datetime": 1449005670000,
"masked_author": "username_1",
"text": "Awesome, thanks!",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "dxg",
"comment_id": 161107193,
"datetime": 1449006749000,
"masked_author": "username_1",
"text": "Released 2.1.28 with this changed.",
"title": null,
"type": "comment"
}
] | 382 | false | false | 2 | 3 | false |
stefankroes/ancestry | null | 225,302,525 | 331 | null | [
{
"action": "opened",
"author": "vovimayhem",
"comment_id": null,
"datetime": 1493524937000,
"masked_author": "username_0",
"text": "I'm working on a legacy-code project running on Rails 3.2.21, and I'm currently isolating problems with rspec, spring & postgres.\r\n\r\nSeveral gems in the project are adding modules to `ActiveRecord::Base` on load phase, and somehow this is attempting a connection before spring's forking of processes.... which in turn it causes the app to raise the following error whenever I run rspec with the app already preloaded on spring:\r\n\r\n```\r\nActiveRecord::StatementInvalid:\r\n PG::ConnectionBad: PQsocket() can't get socket descriptor: SELECT tablename\r\n FROM pg_tables\r\n WHERE schemaname = ANY (current_schemas(false))\r\n```\r\n\r\nI suspect this is no longer the case on Rails >= 4.x.\r\n\r\nIs there a particular reason why [`lib/ancestry/has_ancestry.rb`] is using `class << ActiveRecord::Base` to add the `has_ancestry` method instead of using a module & adding it to `ActiveRecord::Base` inside an `ActiveSupport.on_load` hook? I think this is in fact what's causing all the trouble (for me, at least)",
"title": "Problem with rails 3.2.x, postgres & spring: PG::ConnectionBad: PQsocket() can't get socket descriptor",
"type": "issue"
},
{
"action": "created",
"author": "kbrock",
"comment_id": 298359454,
"datetime": 1493653851000,
"masked_author": "username_1",
"text": "think this is fixed by 332.\r\n\r\nLet me know if this is still a problem",
"title": null,
"type": "comment"
},
{
"action": "closed",
"author": "kbrock",
"comment_id": null,
"datetime": 1493653852000,
"masked_author": "username_1",
"text": "",
"title": null,
"type": "issue"
}
] | 1,093 | false | false | 2 | 3 | false |
mikepenz/FastAdapter | null | 211,993,169 | 358 | null | [
{
"action": "opened",
"author": "eygraber",
"comment_id": null,
"datetime": 1488755409000,
"masked_author": "username_0",
"text": "Realm recently added support for fine grained notifications, and updated their adapter library to make use of them - https://github.com/realm/realm-android-adapters/pull/83",
"title": "Support fine grained notifications in realm",
"type": "issue"
},
{
"action": "created",
"author": "FabianTerhorst",
"comment_id": 284271693,
"datetime": 1488755690000,
"masked_author": "username_1",
"text": "this is part of https://github.com/username_3/FastAdapter/pull/294",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "RJFares",
"comment_id": 285059852,
"datetime": 1488984391000,
"masked_author": "username_2",
"text": "+1",
"title": null,
"type": "comment"
},
{
"action": "closed",
"author": "mikepenz",
"comment_id": null,
"datetime": 1489407785000,
"masked_author": "username_3",
"text": "",
"title": null,
"type": "issue"
},
{
"action": "created",
"author": "mikepenz",
"comment_id": 286092335,
"datetime": 1489407785000,
"masked_author": "username_3",
"text": "Close as it will be solved in v3",
"title": null,
"type": "comment"
}
] | 270 | false | false | 4 | 5 | true |
baldurk/renderdoc | null | 180,858,736 | 384 | {
"number": 384,
"repo": "renderdoc",
"user_login": "baldurk"
} | [
{
"action": "opened",
"author": "michaelrgb",
"comment_id": null,
"datetime": 1475577439000,
"masked_author": "username_0",
"text": "",
"title": "Tool menu option to start the Android remote server.",
"type": "issue"
},
{
"action": "created",
"author": "michaelrgb",
"comment_id": 251354679,
"datetime": 1475577727000,
"masked_author": "username_0",
"text": "Maybe we could move this button into a device-specific menu somewhere?",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "michaelrgb",
"comment_id": 251637526,
"datetime": 1475662971000,
"masked_author": "username_0",
"text": "I took out the Process.WaitForExit() so the user can still interact with the main GUI without closing the cmd window. \r\n\r\nI was intending for the user to close the cmd window first, but its opened in the correct directory, so its very useful for then typing subsequent android_capture commands.",
"title": null,
"type": "comment"
}
] | 364 | false | false | 1 | 3 | false |
jupyter/nbgrader | jupyter | 47,991,891 | 35 | null | [
{
"action": "opened",
"author": "jhamrick",
"comment_id": null,
"datetime": 1415295860000,
"masked_author": "username_0",
"text": "This is very much a wishlist item, but it would be awesome to somehow be able to autograde markdown cells that have simple and clear solutions.",
"title": "Autograding markdown cells",
"type": "issue"
},
{
"action": "created",
"author": "oarriaga",
"comment_id": 302038323,
"datetime": 1495013680000,
"masked_author": "username_1",
"text": "Hello @username_0 is there any updates on this issue?",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "jhamrick",
"comment_id": 305012972,
"datetime": 1496179508000,
"masked_author": "username_0",
"text": "@username_1 No, unfortunately -- as mentioned this is a wishlist item, which effectively means it's something we're not planning to address anytime in the near future (but if someone else wanted to implement it, it's a feature we'd be happy to have in nbgrader).",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "psychemedia",
"comment_id": 576206905,
"datetime": 1579515778000,
"masked_author": "username_2",
"text": "Picking up on this issue, we're exploring the possibility of autograding free text answers, provided via markdown cells.\r\n\r\nOne possible architecture would be to support grading of free text markdown cells, if we could find a way to introspect on a notebook's markdown cells.\r\n\r\nThe text could either be handled by loading in a package and using it to autograde the free text, or by passing the text to a third party service API and getting a grade back: `response = markFreeText(ANSWER)`. \r\n\r\nMarkdown answer cells could be tagged as `studentTextAnswer` cells to simplify discovery and retrieval.\r\n\r\nBut I'm not sure a code in a notebook can easily introspect the content of markdown cells in the same notebook (at least, not directly).\r\n\r\nA second approach might be to parse the notebook JSON, run tests on particular (markdown) cells and inject the marks back in to the notebook.\r\n\r\nThis also suggests a third, more general approach, of a marking service. My understanding is that `nbgrader` uses `nbconvert` to run the notebooks, but what if a grading service instead loaded the JSON and then processed either all on only gradeable cells according to some sort of policy.\r\n\r\nThis requires stepping back from thinking about the notebook as a linear notebook, and instead thinking about it as a container for assessment answers.\r\n\r\nFor example, you might want to execute some cells in their own shell so there is no confusion about state. On the other hand, you might want some cells to run in the same context (perhaps identifying those cells using cell tags). Or you might want to run all the cells in the notebook in the same context (i.e. run the notebook *as a notebook*. (We could achieve this manually, for example by adding a `%%python` shell magic at the top of a cell in the first case, or using something like the [`execution_dependencies`](https://github.com/ipython-contrib/jupyter_contrib_nbextensions/tree/master/src/jupyter_contrib_nbextensions/nbextensions/execution_dependencies) extension in the second case.\r\n\r\nSo rather than preprocess a notebook and then execute it using `nbconvert` tools, the idea would be to load in the notebook as a JSON files then work through it, deciding in turn for each cell what to do with it.\r\n\r\nThis approach perhaps also suggests a new way of looking at the `nbgrader` marking process, perhaps in terms of a process that:\r\n\r\n1. accepts one or more notebooks for one or more students.\r\n2. passes them to a marking service.\r\n\r\nThe marking service then marks the notebooks and returns them as marked notebooks.\r\n\r\nWith suitable protocols defined, the marking service could be a local marking service or it could be a remote, batch execution service. So for example, I might run a central grading service, and separate `nbgrader` \"clients\" could then submit notebooks to that service for grading, and retrieve marked scripts from the grading service.\r\n\r\nThis would separate concerns, seeing `nbgrader` more as a co-ordinator running in a JupyterHub instance, managing release and collection of scripts, *then passing them to a separate, external service for grading*, retrieving the graded scripts and managing them locally again.\r\n\r\nI'm not sure if the way `nbgrader` is architected already supports this sort of operation? But what it would do would open the ability to separate student notebook management from the actual assessment / grading service.",
"title": null,
"type": "comment"
}
] | 3,861 | false | false | 3 | 4 | true |
pybel/pybel-tools | pybel | 249,646,706 | 110 | null | [
{
"action": "opened",
"author": "cthoyt",
"comment_id": null,
"datetime": 1502460468000,
"masked_author": "username_0",
"text": "1. Overlay differential gene expression. Apply cutoff for significantly up-regulated, down-regulated, and un-regulated genes\r\n2. Look for statements that match (up-regulated increases up-regulated, up-regulated decreases down-regulated, etc.)\r\n3. Calculate summary statistics over network\r\n\r\nCouple to a pipeline for stratifying a graph by an annotation (neurommsig subgraph usually) then provide total summary.\r\n\r\nWhat's the distribution of correct/(correct + incorrect + ambiguous) over all subgraphs?",
"title": "Network concordance algorithm",
"type": "issue"
},
{
"action": "closed",
"author": "cthoyt",
"comment_id": null,
"datetime": 1502473077000,
"masked_author": "username_0",
"text": "",
"title": null,
"type": "issue"
}
] | 503 | false | false | 1 | 2 | false |
Bookworm-project/BookwormDB | Bookworm-project | 134,411,910 | 94 | null | [
{
"action": "opened",
"author": "organisciak",
"comment_id": null,
"datetime": 1455746105000,
"masked_author": "username_0",
"text": "Unless I'm mistaken, the API won't be accessible across domains in Javascript. It would be really nice to support JSONP, then clients (the GUI foremost) don't have to be on the same system as the API.\r\n\r\nA search for \"python jsonp\" returned a JSONP extension for Flask. So, for the path of least resistance, I'll extend the Flask-based minimal server that I wrote a few weeks ago with that library. However, since we seemed in agreement that my Flask implementation overlaps with `bookworm server` and will eventually be pulled out, we should discuss how to implement it into the regular `dbbindings.py`.\r\n\r\nThat is, unless I'm mistaken about there not being support currently.",
"title": "JSONP support",
"type": "issue"
},
{
"action": "created",
"author": "organisciak",
"comment_id": 185427771,
"datetime": 1455746576000,
"masked_author": "username_0",
"text": "Assigning to myself, at least for the band-aid approach of extending the Flask implementation.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "borice",
"comment_id": 185427928,
"datetime": 1455746607000,
"masked_author": "username_1",
"text": "You should consider using CORS.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "bmschmidt",
"comment_id": 185751881,
"datetime": 1455806846000,
"masked_author": "username_2",
"text": "So CORS would be a solution lying entirely in the webserver configuration?\r\n\r\nOne note: A full implementation of JSONP will require fulfilling the split in [this issue](https://github.com/Bookworm-project/BookwormAPI/issues/15), since you would also want a JSONP version of the book arrays.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "bmschmidt",
"comment_id": 185754607,
"datetime": 1455807222000,
"masked_author": "username_2",
"text": "A third option would be to extend the `general_API` class to make a call over the web to a different host. The client wouldn't even know.\r\n\r\n1. Allow a 'host' field in the API.\r\n2. If 'host' is specified and not `localhost` or a synonym, then instead of running the query locally just build the url for where the query is going (without `host` as a term this time). Then just pass through the results to the client.\r\n\r\nThis is probably slower than the other two results unless there's some nice way to just route the results through an internet connection rather than processing them on python on the intermediate server, but might be the easiest to implement.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "borice",
"comment_id": 185783644,
"datetime": 1455810274000,
"masked_author": "username_1",
"text": "@username_2 To use CORS all you have to do is set appropriate headers in your API response. The rest is up to the web browser. All modern browsers I came across support it...\r\n\r\nHere's a Python example of how to set those to allow requests from everywhere:\r\n` # set CORS headers\r\n response.headers['Access-Control-Allow-Origin'] = '*'\r\n response.headers['Access-Control-Allow-Methods'] = 'GET, POST, PUT, OPTIONS'\r\n response.headers['Access-Control-Allow-Headers'] = 'Origin, Accept, Content-Type, ' \\\r\n 'X-Requested-With, X-CSRF-Token'`",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "organisciak",
"comment_id": 185846012,
"datetime": 1455819752000,
"masked_author": "username_0",
"text": "Boris, thanks, CORS is a more elegant solution than JSONP.\n\nI tested it with a local GUI on my PC accessing a server-based API and it\nworks great. Ben, unless you have objections, I'll commit the update to\ndbbindings.py.\n\nRegarding Ben's earlier message, changing the host is useful for two real\nbut different issues. The first is changing the host in the client, which\nwe're working on at the moment for the BookwormGUI. This is necessary even\nfor the same server because sometimes you may want the API to be in a\ndifferent location than `cgi-bin/dbbindings.py`. The second is changing the\nmysql host for the API, which we have a ticket on already. This one I'm\ndriving on because in the Docker implementation, the DB is never on\nlocalhost, regardless of whether it's on the same machine or not.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "bmschmidt",
"comment_id": 185849179,
"datetime": 1455820144000,
"masked_author": "username_2",
"text": "Thanks Boris and Peter.\r\n\r\nCORS sounds like the best solution to me. Patch welcomed.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "organisciak",
"comment_id": 185974073,
"datetime": 1455836873000,
"masked_author": "username_0",
"text": "Added in 35cf1ef.",
"title": null,
"type": "comment"
},
{
"action": "closed",
"author": "organisciak",
"comment_id": null,
"datetime": 1455836873000,
"masked_author": "username_0",
"text": "",
"title": null,
"type": "issue"
}
] | 3,291 | false | false | 3 | 10 | true |
scisoft/autocmake | scisoft | 93,911,442 | 26 | {
"number": 26,
"repo": "autocmake",
"user_login": "scisoft"
} | [
{
"action": "opened",
"author": "ihrasko",
"comment_id": null,
"datetime": 1436397458000,
"masked_author": "username_0",
"text": "Added test in lib/config.py to testing at AppVeyor.\r\nAdapted build info for Windows and MinGW compilers - use mingw32-make.\r\nAdded example to docs how to download update.py file on Windows with Git tools.",
"title": "add test to appveyor, adapt build info, docs update",
"type": "issue"
},
{
"action": "created",
"author": "bast",
"comment_id": 121163260,
"datetime": 1436861815000,
"masked_author": "username_1",
"text": "Ivan, I really appreciate your contributions but I need to ask you to submit unrelated changes\r\nas separate pull requests (in this case I agree with the first two changes but not fully with third change and this makes it impossible for me to integrate your change). Also please do not use your username in the commit message. This is not needed since every commit carries meta info and it is also non-standard. Thank you for your understanding.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "bast",
"comment_id": 121164885,
"datetime": 1436862211000,
"masked_author": "username_1",
"text": "In expectation of separate PRs, I am closing this one.\r\nAgain, thank you for your work and understanding but it is IMO\r\nbetter if we do things properly right from the start.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "bast",
"comment_id": 121168104,
"datetime": 1436863289000,
"masked_author": "username_1",
"text": "http://www.contribution-guide.org/#version-control-branching",
"title": null,
"type": "comment"
}
] | 881 | false | false | 2 | 4 | false |
1000ch/whale | null | 224,256,629 | 12 | null | [
{
"action": "opened",
"author": "vitorgalvao",
"comment_id": null,
"datetime": 1493150794000,
"masked_author": "username_0",
"text": "I’ve tested this on the last two versions of Whale. Auto-updating does not seem to work. Are you sure it’s set up correctly?\r\n\r\nSpecifically, is the app signed? Because [Whale needs to be signed for auto-updating to work](https://github.com/electron/electron/blob/master/docs/api/auto-updater.md#macos).",
"title": "Are you sure auto-updating is correctly set up?",
"type": "issue"
},
{
"action": "created",
"author": "1000ch",
"comment_id": 297214534,
"datetime": 1493171451000,
"masked_author": "username_1",
"text": "Whale.app seems to be signed correctly, but [update feed does not work well](https://github.com/username_1/whale/blob/master/update.js#L47). It's a problem of json server, not of this app 😢",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "vitorgalvao",
"comment_id": 297851906,
"datetime": 1493330637000,
"masked_author": "username_0",
"text": "What about hosting the JSON in this repo? Would that not work?",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "1000ch",
"comment_id": 297882663,
"datetime": 1493342751000,
"masked_author": "username_1",
"text": "@username_0 Nice idea, I'll try.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "1000ch",
"comment_id": 320442057,
"datetime": 1501937539000,
"masked_author": "username_1",
"text": "Finally fixed from `v0.10.3`.",
"title": null,
"type": "comment"
},
{
"action": "closed",
"author": "1000ch",
"comment_id": null,
"datetime": 1501937541000,
"masked_author": "username_1",
"text": "",
"title": null,
"type": "issue"
}
] | 612 | false | false | 2 | 6 | true |
gpoore/minted | null | 123,319,943 | 99 | null | [
{
"action": "opened",
"author": "gpoore",
"comment_id": null,
"datetime": 1450718141000,
"masked_author": "username_0",
"text": "`obeytabs` is incompatible with `breaklines`. The fundamental problem is that `fancyvrb`'s implementation of `obeytabs` uses `\\FV@TrueTab`, which uses `\\hbox` and conflicts with the line breaking code.\r\n\r\nThe discovery of the issue was prompted by [this TeX.SE question](http://tex.stackexchange.com/questions/283996/minted-fails-with-breaklines-and-obeytabs). **The next version of `minted` will give an error if `obeytabs` and `breaklines` are used together.**\r\n\r\nThe proper solution is to have code that scans the beginning of a line token by token, collecting `\\FV@Space` and `\\FV@Tab`, and replacing them with appropriate characters using appropriate tab stops. This is doable and shouldn't be terribly complex. However, it is different from the current approach used in `fancyvrb`, so it would require either a new verbatim package, or a significant patch of `fancyvrb`. Getting this to work with line breaking, particularly `breakanywhere`, could also be a little tricky in terms of making sure the order of operations is correct.\r\n\r\nIf there is an attempt to patch `fancyvrb`, it should be noted that the current use of tabs is also problematic in other ways. In particular, on line 605,\r\n```latex\r\n\\def\\FancyVerbFormatLine#1{\\FV@ObeyTabs{#1}}\r\n```\r\nThis means that redefining `\\FancyVerbFormatLine`, which should be a user command, will break tabbing. The proper way to do this is probably to have `\\FancyVerbFormatLine`, which applies to the entire line, and `\\FancyVerbFormatText`, which applies only to the text, and to use these two in such a way that their implementation doesn't interfere with the internals. Again, that could involve significant patching.\r\n\r\nA diff of changes made while trying to work around this is given below (this is off of 2eef990). Some of this may be useful in the future, but a completely different approach will probably be better.\r\n\r\n```diff\r\ndiff --git a/source/minted.sty b/source/minted.sty\r\nindex 56e8c2c..b788c23 100644\r\n--- a/source/minted.sty\r\n+++ b/source/minted.sty\r\n@@ -816,6 +816,7 @@\r\n \\let\\FV@Next=\\FV@GetLineIndent\r\n \\else\r\n \\let\\FV@Next=\\FV@CleanRemainingChars\r\n+ \\g@addto@macro{\\FV@LineIndentChars}{\\relax}%\r\n \\fi\r\n \\fi\r\n \\fi\r\n@@ -831,18 +832,29 @@\r\n \\gdef\\FV@Break@Scan{%\r\n \\@ifnextchar\\FV@EndBreak%\r\n {}%\r\n- {\\ifx\\@let@token$\\relax\r\n- \\let\\FV@Break@Next\\FV@Break@Math\r\n+ {\\ifx\\@let@token\\FV@Space\\relax\r\n+ \\let\\FV@Break@Next\\FV@Break@Whitespace\r\n \\else\r\n- \\ifx\\@let@token\\bgroup\\relax\r\n- \\let\\FV@Break@Next\\FV@Break@Group\r\n+ \\ifx\\@let@token\\FV@Tab\\relax\r\n+ \\let\\FV@Break@Next\\FV@Break@Whitespace\r\n \\else\r\n- \\let\\FV@Break@Next\\FV@Break@Token\r\n+ \\ifx\\@let@token$\\relax\r\n+ \\let\\FV@Break@Next\\FV@Break@Math\r\n+ \\else\r\n+ \\ifx\\@let@token\\bgroup\\relax\r\n+ \\let\\FV@Break@Next\\FV@Break@Group\r\n+ \\else\r\n+ \\let\\FV@Break@Next\\FV@Break@Token\r\n+ \\fi\r\n+ \\fi\r\n \\fi\r\n \\fi\r\n \\FV@Break@Next}%\r\n }\r\n \\endgroup\r\n+\\gdef\\FV@Break@Whitespace#1{%\r\n+ \\g@addto@macro{\\FV@Tmp}{#1}%\r\n+ \\FV@Break@Scan}\r\n \\begingroup\r\n \\catcode`\\$=3%\r\n \\gdef\\FV@Break@Math$#1${%\r\n@@ -935,8 +947,8 @@\r\n \\ifthenelse{\\boolean{FV@BreakAutoIndent}}%\r\n {\\hspace*{-\\wd\\FV@LineIndentBox}}%\r\n {}%\r\n- \\strut\\FancyVerbFormatText{%\r\n- \\FancyVerbBreakStart#1\\FancyVerbBreakStop}\\nobreak\\strut\r\n+ \\strut\\FancyVerbFormatText{\\expandafter\\FV@Break@ObeyTabs\\expandafter{%\r\n+ \\FancyVerbBreakStart#1\\FancyVerbBreakStop}}\\nobreak\\strut\r\n \\end{internallinenumbers*}\r\n }%\r\n \\ifdefempty{\\FancyVerbBreakSymbolRight}{}%\r\n@@ -957,6 +969,8 @@\r\n \\advance\\linewidth by -\\FV@FrameRule\r\n \\fi\r\n \\sbox{\\FV@LineBox}{\\FancyVerbFormatLine{\\FancyVerbFormatText{#1}}}%\r\n+ \\let\\FV@Break@ObeyTabs\\FV@ObeyTabs\r\n+ \\let\\FV@ObeyTabs\\relax\r\n \\ifdim\\wd\\FV@LineBox>\\linewidth\r\n \\setcounter{FancyVerbLineBreakLast}{0}%\r\n \\FV@SaveLineBox{#1}%\r\n@@ -972,10 +986,12 @@\r\n \\FV@LeftListNumber\r\n \\FV@LeftListFrame\r\n \\FancyVerbFormatLine{%\r\n- \\parbox[t]{\\linewidth}{\\noindent\\strut\\FancyVerbFormatText{#1}\\strut}}%\r\n+ \\parbox[t]{\\linewidth}{\\noindent\\strut%\r\n+ \\FancyVerbFormatText{\\FV@Break@ObeyTabs{#1}}\\strut}}%\r\n \\FV@RightListFrame\r\n \\FV@RightListNumber\r\n- \\fi}%\r\n+ \\fi\r\n+ \\let\\FV@ObeyTabs\\FV@Break@ObeyTabs}%\r\n \\hss}\\baselineskip\\z@\\lineskip\\z@}\r\n \\ifcsname KV@FV@linenos\\endcsname\\else\r\n \\define@booleankey{FV}{linenos}%\r\n```",
"title": "obeytabs and breaklines",
"type": "issue"
},
{
"action": "created",
"author": "gpoore",
"comment_id": 166390617,
"datetime": 1450724503000,
"masked_author": "username_0",
"text": "`obeytabs` also doesn't work with multiline comments (#88), so I'm renaming the issue to be broader.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "gpoore",
"comment_id": 166404214,
"datetime": 1450728119000,
"masked_author": "username_0",
"text": "If this is resolved, then an option for customizing the tab character should be added. For example, see #98.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "gpoore",
"comment_id": 229135147,
"datetime": 1467137678000,
"masked_author": "username_0",
"text": "The new [`fvextra` package](https://github.com/username_0/fvextra) fixes the incompatibility between `breaklines` and `obeytabs`. It also adds a `tab` option for redefining the tab character.\r\n\r\nThe incompatibility with tabs inside multiline comments remains. This might be resolved by having the `\\PYG` comment macros look ahead and relocate any leading whitespace. Another option would be to attempt a special version of `\\FV@TrueTab` that can handle this scenario correctly.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "gpoore",
"comment_id": 232691870,
"datetime": 1468508547000,
"masked_author": "username_0",
"text": "All of these tab issues are resolved in [v2.3](https://github.com/username_0/minted/releases/tag/v2.3). Essentially everything is fixed by [`fvextra`](https://github.com/username_0/fvextra), except that `obeytabs` doesn't use correct tab stops for tabs preceded by anything other than spaces or tabs. Fixing that is beyond what the current tab expansion algorithms can handle. There are notes about what would be required for a better algorithm in the `fvextra` implementation.",
"title": null,
"type": "comment"
},
{
"action": "closed",
"author": "gpoore",
"comment_id": null,
"datetime": 1468508548000,
"masked_author": "username_0",
"text": "",
"title": null,
"type": "issue"
}
] | 5,653 | false | false | 1 | 6 | true |
spinnaker/spinnaker | spinnaker | 262,423,820 | 2,007 | null | [
{
"action": "opened",
"author": "kiril-dayradzhiev",
"comment_id": null,
"datetime": 1507036697000,
"masked_author": "username_0",
"text": "*Cannot install spinnaker using halyard following you documentation -> https://www.spinnaker.io/setup/*\r\n\r\n\r\nCloud provider: *Openstack*\r\n\r\nEnvironment: *debianlocal*\r\n\r\nStorage: *Redis*\r\n\r\nDescription:\r\nI cannot install Spinnaker using halyard on Ubuntu 17.4, Ubuntu 16.4 and on Mac OS.\r\nUbuntu 17.4 issue: E: Unable to locate package spinnaker-igor\r\nroot cause: Failed to fetch https://dl.bintray.com/spinnaker-releases/debians/dists/zesty/spinnaker/binary-amd64/Packages\r\n\r\nUbuntu 16.4 issue: E: Unable to locate package spinnaker-igor\r\nroot cause: Failed to fetch https://dl.bintray.com/spinnaker-releases/debians/dists/xenial/spinnaker/binary-amd64/Packages\r\n\r\nMac OS - you are claiming that halyard and spinnaker supports it, but during the installation of spinnaker using halyard this is what I got:\r\nsudo hal deploy apply\r\nPassword:\r\n\r\nGet current deployment\r\nSuccess\r\n^ Apply deployment\r\n. Apply deployment\r\nApply deployment\r\nApply deployment\r\nSuccess\r\nRun hal deploy connect to connect to Spinnaker.\r\nNot a supported operating system: Darwin\r\nIt's recommended you use Ubuntu 14.04 or higher\r\n\r\n\r\n\r\nAlso your troubleshooting link is broken -> http://www.spinnaker.io/docs/troubleshooting-guide",
"title": "Cannot install spinnaker using halyard",
"type": "issue"
},
{
"action": "created",
"author": "kiril-dayradzhiev",
"comment_id": 334447537,
"datetime": 1507205936000,
"masked_author": "username_0",
"text": "It was also tested with Ubuntu 15.04(vivid), still not working. \r\nIt works only with Ubuntu 14.04(trusty). Requirements message could be changed from \"It's recommended you use Ubuntu 14.04 or higher\" to \"It's recommended you use only Ubuntu 14.04\".",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "nikhilninawe",
"comment_id": 398698993,
"datetime": 1529489699000,
"masked_author": "username_1",
"text": "@username_0 : Are you able to solve this issue on mac?",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "kiril-dayradzhiev",
"comment_id": 398702415,
"datetime": 1529490526000,
"masked_author": "username_0",
"text": "Nope, and I didn’t try since the comment was posted.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "fr34k8",
"comment_id": 401117747,
"datetime": 1530207980000,
"masked_author": "username_2",
"text": "dudes.. problem resides in /etc/apt/sources.list.d/halyard.list there is no release candidate for 17.xx or 15.xx ..\r\n\r\nbelow could work or the installer needs to be changed.. https://raw.githubusercontent.com/spinnaker/halyard/master/install/debian/InstallHalyard.sh\r\n\r\n`\r\n/etc/apt/sources.list.d/halyard.list\r\n\r\ndeb https://dl.bintray.com/spinnaker-releases/debians xenial spinnaker\r\n`\r\n\r\n`\r\nsudo dpkg -i spinnaker_0.82.0_all.deb\r\n`\r\n\r\n`\r\nsudo apt --fix-broken install\r\n`",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "fr34k8",
"comment_id": 407444029,
"datetime": 1532445367000,
"masked_author": "username_2",
"text": "@username_3 is there a chance to get a working `InstallSpinnaker.sh` script to 16.04 ? \r\n\r\n`sudo /opt/spinnaker_upstream/InstallSpinnaker.sh\r\nNot a supported version of Ubuntu\r\nVersion is 16.04 we require 14.04.x LT`",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "lwander",
"comment_id": 407449224,
"datetime": 1532446234000,
"masked_author": "username_3",
"text": "Unfortunately we stopped supporting that script a while ago (a little over a year). Where did you find a copy?",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "fr34k8",
"comment_id": 407672470,
"datetime": 1532506485000,
"masked_author": "username_2",
"text": "@username_3 it's in the upstream repo root, as you can see in my tree.. please remove that if not supported! \r\n\r\nbtw, as discussed here:\r\nhttps://github.com/spinnaker/spinnaker/issues/1544\r\n\r\nthere are few install scripts for halyard!\r\nthis one: `https://raw.githubusercontent.com/spinnaker/halyard/master/install/stable/InstallHalyard.sh`\r\n\r\nwhich does not work afterwards because of the incomplete `/lib/systemd/system/halyard.service`\r\n\r\n`halyard.service: Service lacks both ExecStart= and ExecStop= setting. Refusing.`\r\ninside the Debian package \r\n\r\nand this one:\r\n`https://raw.githubusercontent.com/spinnaker/halyard/master/install/debian/InstallHalyard.sh`\r\n\r\nwhich does not get `spinnaker` deb package and `spinnaker-halyard` package.. \r\n\r\nis there any consistent and reproducible way to get halyard to work ? \r\nmy favorite would be to use the Debian packages from \r\n`https://dl.bintray.com/spinnaker-releases/debians/dists/`\r\n\r\noh and btw why is the following mirror still existent ? \r\n`https://dl.bintray.com/spinnaker/debians/dists/` \r\n\r\nI thought, last mirror would be the mirror of choice, but my team mate told me about the first mirror .. its confusing..",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "lwander",
"comment_id": 407735619,
"datetime": 1532521268000,
"masked_author": "username_3",
"text": "It only fetches a JAR, puts in in your /opt directory, and writes a wrapper script when to start the daemon if it's not already running with calling `hal`.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "fr34k8",
"comment_id": 407748193,
"datetime": 1532524127000,
"masked_author": "username_2",
"text": "@username_3 that's cool 4 now! 😎 \r\n\r\ncould you tell us which wrapper it writes and where ?",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "lwander",
"comment_id": 407750732,
"datetime": 1532524628000,
"masked_author": "username_3",
"text": "It writes to /usr/local/bin/hal the contents of https://github.com/spinnaker/halyard/blob/master/startup/debian/hal",
"title": null,
"type": "comment"
}
] | 3,881 | false | false | 4 | 11 | true |
TwilioDevEd/account-verification-csharp | TwilioDevEd | 155,312,519 | 4 | {
"number": 4,
"repo": "account-verification-csharp",
"user_login": "TwilioDevEd"
} | [
{
"action": "opened",
"author": "mosampaio",
"comment_id": null,
"datetime": 1463504962000,
"masked_author": "username_0",
"text": "",
"title": "Use period at the end of the sentence",
"type": "issue"
},
{
"action": "created",
"author": "acamino",
"comment_id": 219868164,
"datetime": 1463522629000,
"masked_author": "username_1",
"text": "@username_0 please update the step 3 (_ngrok_) to use bash. The result will look like:\r\n\r\n```bash\r\n ngrok http 25451 -host-header=\"localhost:25451\"\r\n```",
"title": null,
"type": "comment"
}
] | 152 | false | false | 2 | 2 | true |
travis-ci/travis-api | travis-ci | 161,155,919 | 277 | {
"number": 277,
"repo": "travis-api",
"user_login": "travis-ci"
} | [
{
"action": "opened",
"author": "svenfuchs",
"comment_id": null,
"datetime": 1466415808000,
"masked_author": "username_0",
"text": "This cleans out several parts of (vendored) travis-core, and moves some parts of it to `lib`.",
"title": "cleanup core",
"type": "issue"
},
{
"action": "created",
"author": "svenfuchs",
"comment_id": 227220870,
"datetime": 1466445823000,
"masked_author": "username_0",
"text": "tested on staging. looks alright!",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "svenfuchs",
"comment_id": 227415354,
"datetime": 1466509333000,
"masked_author": "username_0",
"text": "Rolled production back. It doesn't seem to properly update the oauth scopes from GitHub when set to an empty Array on the console.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "joecorcoran",
"comment_id": 227425966,
"datetime": 1466512511000,
"masked_author": "username_1",
"text": "PR looks sensible, as much as it possibly can with such a big diff. Is there any part of it you'd like to draw my attention to?",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "svenfuchs",
"comment_id": 227427906,
"datetime": 1466513020000,
"masked_author": "username_0",
"text": "@username_1 the only commits that sort of change logic are these. they pull things out of the `User` activerecord callbacks, and move these calls to the endpoint instead:\r\n\r\n* https://github.com/travis-ci/travis-api/pull/277/commits/84ebb6b24ed5dcec499356c8be7aaaac226bcd58\r\n* https://github.com/travis-ci/travis-api/pull/277/commits/6603990fe4aa43beb932e90d7071b3e2894f4646\r\n\r\nthis is the only commit that changes actual behaviour (as seen from the outside) ... which i briefly discussed in slack https://travisci.slack.com/archives/teal/p1466509669000832\r\n\r\n* https://github.com/travis-ci/travis-api/pull/277/commits/25f74defe5e0d96371842bbe78561bde2cf37a2d\r\n\r\nall the rest is basically just:\r\n\r\n* moving around files\r\n* changing the namespace `Travis::Api` to `Travis::Api::Serialize` for the serializers that have been in core (we've kinda messed with that namespace by using the same one in travis-api and travis-core for different purposes, so i fixed that now)\r\n* changing test setups so that both suites can run in the same process",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "svenfuchs",
"comment_id": 227439226,
"datetime": 1466515713000,
"masked_author": "username_0",
"text": "For the sake of documenting this ... my motivation for moving the user sync and oauth scope tracking stuff out of the model was that:\r\n\r\nDuring merging the test suites for some reason that I haven't been able to understand the test suite suddenly started calling the GitHub API several times per test setup/teardown ... which I only noticed because the test runtimes suddenly quadrupled. I tracked this down to `track_github_oauth_scopes` being triggered all the time (per user created as part of the test setup) ... which then called the GitHub API to ask for the scopes.\r\n\r\nI figured it was both easier and cleaner to move this stuff out of the `User` model callbacks, and into the respective API endpoint.",
"title": null,
"type": "comment"
}
] | 2,131 | false | false | 2 | 6 | true |
owen2345/camaleon-cms | null | 126,332,033 | 290 | null | [
{
"action": "opened",
"author": "Uysim",
"comment_id": null,
"datetime": 1452655211000,
"masked_author": "username_0",
"text": "I need multiple domain per site. Can you implement that ?\r\n\r\nThank before hand",
"title": "Multiple Domain Needed",
"type": "issue"
},
{
"action": "created",
"author": "owen2345",
"comment_id": 171251109,
"datetime": 1452681754000,
"masked_author": "username_1",
"text": "@username_0 \r\nPlease try this:\r\n- create an initializer in your project and add a method: cama_current_site_helper(args)\r\n- args is a Hash{site, request}\r\n- samples:\r\ndef cama_current_site_helper(args)\r\n args[:site] = Cama::Site.order(id: :asc).last.decorate\r\n # args[:site] = Cama::Site.find(10).last.decorate if args[:request].original_url.to_s.parse_domain == \"my_domain.com\"\r\n # args[:site] = Cama::Site.find_by_slug('my_domain_x').decorate if args[:request].original_url.to_s.parse_domain == \"my_domain_xx\"\r\nend",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "owen2345",
"comment_id": 171251190,
"datetime": 1452681779000,
"masked_author": "username_1",
"text": "Note: use master branch please.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "rubyjedi",
"comment_id": 172085865,
"datetime": 1452890077000,
"masked_author": "username_2",
"text": "This is a great tip, thanks! Definitely belongs in the Wiki. :-)",
"title": null,
"type": "comment"
},
{
"action": "closed",
"author": "owen2345",
"comment_id": null,
"datetime": 1461812060000,
"masked_author": "username_1",
"text": "",
"title": null,
"type": "issue"
}
] | 687 | false | false | 3 | 5 | true |
Jasonette/JASONETTE-iOS | Jasonette | 265,678,590 | 279 | null | [
{
"action": "opened",
"author": "gliechtenstein",
"comment_id": null,
"datetime": 1508140935000,
"masked_author": "username_0",
"text": "There's a little bug with $lambda. \r\n\r\nIt happens only in a complicated situation so most people probably haven't experienced this yet, but it's important regardless.\r\n\r\nBasically happens when a function C triggers function B, which triggers function A. The return value of function A needs to propagate all the way back to function C when using `$return.success`, but that's not how it's working right now.\r\n\r\n```\r\n{\r\n \"C\": {\r\n \"trigger\": \"B\",\r\n \"success\": {\r\n \"type\": \"$render\"\r\n }\r\n },\r\n \"B\": {\r\n \"trigger\": \"A\",\r\n \"success\": {\r\n \"type\": \"$return.success\",\r\n \"options\": \"{{$jason}}\"\r\n }\r\n },\r\n \"A\": {\r\n \"type\": \"$network.request\",\r\n \"options\": {\r\n ...\r\n },\r\n \"success\": {\r\n \"type\": \"$return.success\",\r\n \"options\": \"{{$jason}}\"\r\n }\r\n }\r\n}\r\n```",
"title": "$lambda function call stack bug",
"type": "issue"
}
] | 814 | false | false | 1 | 1 | false |
agra-uni-bremen/metaSMT | agra-uni-bremen | 70,392,826 | 27 | null | [
{
"action": "opened",
"author": "hriener",
"comment_id": null,
"datetime": 1429790008000,
"masked_author": "username_0",
"text": "BOOST_AUTO_TEST_CASE( bvshl_long_sizet )\r\n{\r\n const unsigned w = 1407u;\r\n bitvector x = new_bitvector(w);\r\n bitvector y = new_bitvector(w);\r\n bitvector z = new_bitvector(w);\r\n assertion( ctx, equal( z, bvshl( x, y ) ) );\r\n BOOST_REQUIRE( solve(ctx) );\r\n}\r\n\r\n$ ./tests/direct_STP -t QF_BV/bvshl_long_sizet\r\nRunning 1 test case...\r\nFatal Error: CreateBVConst: trying to create bvconst using unsigned long long of width: \r\n1407\r\ndirect_STP: /home/development-vm/development/metaSMT/build/build/stp-git/lib/AST/ASTmisc.cpp:258: void stp::FatalError(const char*, const stp::ASTNode&, int): Assertion `false' failed.\r\nunknown location(0): fatal error in \"bvshl_long_sizet\": signal: SIGABRT (application abort requested)",
"title": "bvshl with long bitwidth fails in STP",
"type": "issue"
},
{
"action": "created",
"author": "hriener",
"comment_id": 95586804,
"datetime": 1429796149000,
"masked_author": "username_0",
"text": "Fixed in 15703f274ce8b40b6cc04e5cbd408515a8ee5b2a",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "hriener",
"comment_id": 95615128,
"datetime": 1429801176000,
"masked_author": "username_0",
"text": "Fixed in 13310570e18cc8e35efe3e3a8590dceaef4ece1e",
"title": null,
"type": "comment"
},
{
"action": "closed",
"author": "hriener",
"comment_id": null,
"datetime": 1429801180000,
"masked_author": "username_0",
"text": "",
"title": null,
"type": "issue"
}
] | 817 | false | false | 1 | 4 | false |
citelao/Spotify-for-Alfred | null | 196,256,535 | 82 | null | [
{
"action": "opened",
"author": "dillonplunkett",
"comment_id": null,
"datetime": 1482033024000,
"masked_author": "username_0",
"text": "I'm unable to set a country during initial setup, and seeing the following error in the debugger: \r\n\r\n`[2016-12-17 22:40:13][ERROR: action.script] 40:41: syntax error: Expected end of line but found “\"”. (-2741)` \r\n\r\nThe rest of the installation process works fine.",
"title": "Error when setting country during installation",
"type": "issue"
},
{
"action": "created",
"author": "eduwass",
"comment_id": 285540246,
"datetime": 1489107642000,
"masked_author": "username_1",
"text": "This is also happening to me:\r\n\r\n```\r\nStarting debug for 'Spotifious'\r\n\r\n[2017-03-10 01:58:48][ERROR: action.script] 40:41: syntax error: Expected end of line but found “\"”. (-2741)\r\n[2017-03-10 01:58:56][input.scriptfilter] <?xml version='1.0'?>\r\n<items>\r\n\r\n\t<item uid='1489107536-Welcome to Spotifious!' valid='no' autocomplete=''>\r\n\t\t<arg>null</arg>\r\n\t\t<title>Welcome to Spotifious!</title>\r\n\t\t<subtitle>You need to configure a few more things before you can use Spotifious.</subtitle>\r\n\t\t<icon>include/images/configuration.png</icon>\r\n\t</item>\r\n\r\n\r\n\t<item uid='1489107536-1. Set your country code' valid='no' autocomplete='Country Code ⟩'>\r\n\t\t<arg>null</arg>\r\n\t\t<title>1. Set your country code</title>\r\n\t\t<subtitle>Choosing the correct country code makes sure you can play songs you select.</subtitle>\r\n\t\t<icon>include/images/checked.png</icon>\r\n\t</item>\r\n\r\n\r\n\t<item uid='1489107536-2. Create a Spotify application' valid='yes' autocomplete=''>\r\n\t\t<arg>appsetup⟩</arg>\r\n\t\t<title>2. Create a Spotify application</title>\r\n\t\t<subtitle>Set up a Spotify application so you can search playlists!</subtitle>\r\n\t\t<icon>include/images/unchecked.png</icon>\r\n\t</item>\r\n\r\n\r\n\t<item uid='1489107536-3. Link your Spotify application' valid='no' autocomplete=''>\r\n\t\t<arg>applink⟩</arg>\r\n\t\t<title>3. Link your Spotify application</title>\r\n\t\t<subtitle>Connect your Spotify application to Spotifious to search your playlists.</subtitle>\r\n\t\t<icon>include/images/disabled.png</icon>\r\n\t</item>\r\n\r\n\r\n\t<item uid='1489107536-You can access settings easily.' valid='no' autocomplete=''>\r\n\t\t<arg>null</arg>\r\n\t\t<title>You can access settings easily.</title>\r\n\t\t<subtitle>Type `s` from the main menu.</subtitle>\r\n\t\t<icon>include/images/info.png</icon>\r\n\t</item>\r\n</items>\r\n[2017-03-10 01:59:05][input.scriptfilter] <?xml version='1.0'?>\r\n<items>\r\n\r\n\t<item uid='1489107545-Spain' valid='yes' autocomplete='Country Code ⟩Spain'>\r\n\t\t<arg>country⟩ES</arg>\r\n\t\t<title>Spain</title>\r\n\t\t<subtitle>Set your country to “ES.”</subtitle>\r\n\t\t<icon>include/images/dash.png</icon>\r\n\t</item>\r\n</items>\r\n[2017-03-10 01:59:06][input.scriptfilter] Processing output of 'action.revealfile' with arg 'country⟩ES'\r\n[2017-03-10 01:59:06][input.scriptfilter] Processing output of 'action.script' with arg 'country⟩ES'\r\n[2017-03-10 01:59:06][ERROR: action.script] 40:41: syntax error: Expected end of line but found “\"”. (-2741)\r\n```",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "citelao",
"comment_id": 285922588,
"datetime": 1489294783000,
"masked_author": "username_2",
"text": "Hey! I made some changes that should fix the problem.\r\n\r\nYou can test them with the dev release, available here:\r\n\r\nhttps://github.com/username_2/Spotify-for-Alfred/tree/dev/dist\r\n\r\nCan you give it a shot for me?",
"title": null,
"type": "comment"
},
{
"action": "closed",
"author": "dillonplunkett",
"comment_id": null,
"datetime": 1489324414000,
"masked_author": "username_0",
"text": "",
"title": null,
"type": "issue"
},
{
"action": "created",
"author": "dillonplunkett",
"comment_id": 285943793,
"datetime": 1489324414000,
"masked_author": "username_0",
"text": "Syntax Error and the Alfred 2/3 both gone!",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "citelao",
"comment_id": 286208415,
"datetime": 1489431425000,
"masked_author": "username_2",
"text": "@username_0 @username_1 You may want to update to the latest master build! https://github.com/username_2/Spotify-for-Alfred/releases/tag/v0.13.2",
"title": null,
"type": "comment"
}
] | 3,040 | false | false | 3 | 6 | true |
kubernetes/kubernetes | kubernetes | 182,407,559 | 34,580 | null | [
{
"action": "created",
"author": "colemickens",
"comment_id": 253090941,
"datetime": 1476234411000,
"masked_author": "username_0",
"text": "I hit it too, direct link to build: https://k8s-gubernator.appspot.com/build/kubernetes-jenkins/pr-logs/pull/34416/kubernetes-pull-test-unit-integration/48793/ PR here: https://github.com/kubernetes/kubernetes/pull/34416",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "dims",
"comment_id": 253094273,
"datetime": 1476235829000,
"masked_author": "username_1",
"text": "@username_0 : can you try rebasing on https://github.com/kubernetes/kubernetes/commit/3d2674b2ddbdea485e1114479b03392ce2589c4c ? That should have fixed this problem",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "colemickens",
"comment_id": 253097030,
"datetime": 1476237019000,
"masked_author": "username_0",
"text": "Looks like they finally passed and retest is skipped for the submit-queue for that PR, so I'd prefer not to rebase and risk encountering another flake.\r\n\r\nIf you need it as a confirmation of 3d2674b, let me know and I'll force push my rebase.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "dims",
"comment_id": 253097913,
"datetime": 1476237433000,
"masked_author": "username_1",
"text": "@username_0 no worries. things are looking up in the gate. we can close this issue out tomorrow",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "gmarek",
"comment_id": 253155714,
"datetime": 1476262190000,
"masked_author": "username_2",
"text": "This is still happening and blocking the build. @apelisse please treat this as a real P0.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "piosz",
"comment_id": 253187924,
"datetime": 1476271609000,
"masked_author": "username_3",
"text": "cc @username_4 @kargakis",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "deads2k",
"comment_id": 253195860,
"datetime": 1476274086000,
"masked_author": "username_4",
"text": "opened https://github.com/kubernetes/kubernetes/pull/34608",
"title": null,
"type": "comment"
},
{
"action": "closed",
"author": "piosz",
"comment_id": null,
"datetime": 1476277187000,
"masked_author": "username_3",
"text": "",
"title": null,
"type": "issue"
}
] | 891 | false | true | 5 | 8 | true |
apache/incubator-echarts | apache | 241,968,350 | 6,183 | null | [
{
"action": "opened",
"author": "Lily-Jian",
"comment_id": null,
"datetime": 1499762049000,
"masked_author": "username_0",
"text": "<!--\r\n为了方便我们能够复现和修复 bug,请遵从下面的规范描述您的问题。\r\n-->\r\n\r\n\r\n### One-line summary [问题简述]\r\n\r\n1.当节点过多或者比较发散时,边缘节点会超出div容器,怎么设置可以在保证不缩小图形的情况下,让超出容器的节点显示在容器内?\r\n2.图形稳定之后,动画停止。能否设置让图形一直动,这样更酷炫?\r\n3.图形稳定后是以圆形中心向外发散的,整个图形趋近圆形。但是一般浏览器都是长方形的,所以一般图形都不能填满整个容器的长度。能否设置让图形左右拉伸,而不是以圆形方式发散?\r\n详情请见:http://gallery.echartsjs.com/editor.html?c=xS1Z_c-MSb&v=1\r\n\r\n\r\n### Version & Environment [版本及环境]\r\n+ ECharts version [ECharts 版本]: 最新版\r\n+ Browser version [浏览器类型和版本]: chrome\r\n+ OS Version [操作系统类型和版本]: win7 64\r\n\r\n\r\n\r\n\r\n\r\n### Expected behaviour [期望结果]\r\n节点不超出div容器;\r\n图形稳定之后,能一直微动;\r\n图形能左右拉伸,而不是以圆的方式发散。\r\n\r\n\r\n\r\n\r\n### ECharts option [ECharts配置项]\r\n<!-- Copy and paste your 'echarts option' here. -->\r\n<!-- [下方贴你的option,注意不要删掉下方 ```javascript 和 尾部的 ``` 字样。最好是我们能够直接运行的 option。如何得到能运行的 option 参见上方的 guidelines for contributing] -->\r\n```javascript\r\noption = {\r\n\r\n}\r\n\r\n```\r\n\r\n\r\n\r\n\r\n### Other comments [其他信息]\r\n<!-- For example: Screenshot or Online demo -->\r\n<!-- [例如,截图或线上实例 (JSFiddle/JSBin/Codepen)] -->\r\n\r\n",
"title": "节点超过div容器高度 / 动画停止 的问题",
"type": "issue"
}
] | 1,094 | false | true | 1 | 1 | false |
pavel-v-chernykh/keystore-go | null | 258,759,222 | 4 | null | [
{
"action": "opened",
"author": "yougg",
"comment_id": null,
"datetime": 1505814256000,
"masked_author": "username_0",
"text": "Validity \r\n Not Before: Sep 15 17:30:21 2017 GMT \r\n Not After : Sep 13 17:30:21 2027 GMT \r\n......\r\n\r\nplease help check the issue, thanks.",
"title": "keystore date is wrong when list by keytool",
"type": "issue"
},
{
"action": "closed",
"author": "pavel-v-chernykh",
"comment_id": null,
"datetime": 1505832348000,
"masked_author": "username_1",
"text": "",
"title": null,
"type": "issue"
},
{
"action": "created",
"author": "pavel-v-chernykh",
"comment_id": 330563767,
"datetime": 1505832440000,
"masked_author": "username_1",
"text": "Hi, @username_0. Thanks for the report.\r\nHave fixed the issue in 63bed89\r\nPlease, check, does it work for you?",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "yougg",
"comment_id": 330716345,
"datetime": 1505869843000,
"masked_author": "username_0",
"text": "@username_1 :+1: yes, it works. thanks again",
"title": null,
"type": "comment"
}
] | 318 | false | false | 2 | 4 | true |
vuejs/vue-loader | vuejs | 102,306,887 | 18 | null | [
{
"action": "opened",
"author": "BirdEggegg",
"comment_id": null,
"datetime": 1440137070000,
"masked_author": "username_0",
"text": "I follow ES6 with Babel example in readme, and installed babel-runtime.But get `Object.assign is not a function` in vue file.\r\n```\r\nvar vue = require('vue-loader')\r\n\r\nmodule.exports = {\r\n // entry, output...\r\n module: {\r\n loaders: [\r\n {\r\n test: /\\.vue$/,\r\n loader: vue.withLoaders({\r\n // apply babel transform to all javascript\r\n // inside *.vue files.\r\n js: 'babel?optional[]=runtime'\r\n })\r\n }\r\n ]\r\n },\r\n devtool: 'source-map'\r\n}\r\n```\r\nThen I tried writing `<script lang=\"babel?optional[]=runtime>\"` in vue file, and it worked",
"title": "vue.withLoaders not work?",
"type": "issue"
},
{
"action": "created",
"author": "BirdEggegg",
"comment_id": 133302480,
"datetime": 1440138610000,
"masked_author": "username_0",
"text": "I shouldn't use `<script lang=\"babel\">` with that webpack config....",
"title": null,
"type": "comment"
},
{
"action": "closed",
"author": "BirdEggegg",
"comment_id": null,
"datetime": 1440138616000,
"masked_author": "username_0",
"text": "",
"title": null,
"type": "issue"
}
] | 664 | false | false | 1 | 3 | false |
opendatacube/datacube-core | opendatacube | 240,854,531 | 257 | {
"number": 257,
"repo": "datacube-core",
"user_login": "opendatacube"
} | [
{
"action": "opened",
"author": "jeremyh",
"comment_id": null,
"datetime": 1499321690000,
"masked_author": "username_0",
"text": "- The project name is now \"Open Data Cube\", not just \"Data Cube\"\r\n- When using the Click arguments in other scripts, it's worth clarifying that the version printed is the core version, not the script version, so I've appended 'core'.\r\n\r\nFlashy demo:\r\n\r\n jez@kveikur:~/prog/datacube (develop) $ datacube --version\r\n Open Data Cube core, version 1.4.1+100.ged4183b\r\n jez@kveikur:~/prog/datacube (develop) $",
"title": "Update project name in printed '--version'",
"type": "issue"
}
] | 414 | false | true | 1 | 1 | false |
ipfs/community | ipfs | 182,086,637 | 184 | null | [
{
"action": "opened",
"author": "RichardLitt",
"comment_id": null,
"datetime": 1476125361000,
"masked_author": "username_0",
"text": "I will likely be in Tokyo in November. Would anyone in the area be interested in an informal IPFS meetup?",
"title": "Tokyo Meetup in Novemeber",
"type": "issue"
},
{
"action": "created",
"author": "diasdavid",
"comment_id": 293501701,
"datetime": 1491983582000,
"masked_author": "username_1",
"text": "@username_0 did this happen? Let us know if there were any talks and or pics \\o/",
"title": null,
"type": "comment"
},
{
"action": "closed",
"author": "diasdavid",
"comment_id": null,
"datetime": 1491983582000,
"masked_author": "username_1",
"text": "",
"title": null,
"type": "issue"
},
{
"action": "created",
"author": "RichardLitt",
"comment_id": 293576225,
"datetime": 1492003789000,
"masked_author": "username_0",
"text": "Nope! No one seemed to notice. But I had a meet up by myself anyway, and good times were had by all.",
"title": null,
"type": "comment"
}
] | 286 | false | false | 2 | 4 | true |
pypa/pip | pypa | 136,520,609 | 3,517 | null | [
{
"action": "opened",
"author": "xavfernandez",
"comment_id": null,
"datetime": 1456436520000,
"masked_author": "username_0",
"text": "Now that #1646 is implemented, it would interesting to show this information in `pip show`.",
"title": "Show INSTALLER from PEP376 in pip show",
"type": "issue"
},
{
"action": "closed",
"author": "dstufft",
"comment_id": null,
"datetime": 1457108189000,
"masked_author": "username_1",
"text": "",
"title": null,
"type": "issue"
}
] | 91 | false | false | 2 | 2 | false |
daimajia/AndroidSwipeLayout | null | 168,575,359 | 353 | null | [
{
"action": "opened",
"author": "ljhUncle",
"comment_id": null,
"datetime": 1470032729000,
"masked_author": "username_0",
"text": "右滑出现隐藏界面,再滑动一下关闭的时候,那个滑动关闭的界面抖动的很厉害",
"title": "SwipeLayout item 滑动关闭抖动很厉害",
"type": "issue"
},
{
"action": "created",
"author": "Jeese1226",
"comment_id": 243676808,
"datetime": 1472627055000,
"masked_author": "username_1",
"text": "在特定机型上面会出现该情况。",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "cnazev",
"comment_id": 245827402,
"datetime": 1473401178000,
"masked_author": "username_2",
"text": "在小米测试机上发现了这个问题 右滑关闭时 bottom抖动",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "DanielDong",
"comment_id": 249473166,
"datetime": 1474861248000,
"masked_author": "username_3",
"text": "滑动的时候严重的抖动",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "haishuang",
"comment_id": 250047192,
"datetime": 1475025893000,
"masked_author": "username_4",
"text": "有谁找到了解决方法吗?",
"title": null,
"type": "comment"
}
] | 99 | false | false | 5 | 5 | false |
bh107/bohrium | bh107 | 109,251,336 | 45 | null | [
{
"action": "opened",
"author": "madsthoudahl",
"comment_id": null,
"datetime": 1443687683000,
"masked_author": "username_0",
"text": "running the following\r\nt_in = np.max(np.array([np.min(txs, axis=0),np.min(tys, axis=0),np.min(tzs, axis=0)]),axis=0)\r\n\r\nwhere \r\nnp is bohrium\r\ntxs,tys,tzs are bohrium arrays shaped (2,20,20,20,400) containing float64s.\r\n\r\nyields \r\nTraceback (most recent call last):\r\n File \"ndarray.pyx\", line 239, in ndarray.get_bhc_data_pointer (/home/koeus/hpc/bohrium/build/bridge/npbackend/ndarray.c:4065)\r\n File \"ndarray.pyx\", line 171, in ndarray.get_bhc (/home/koeus/hpc/bohrium/build/bridge/npbackend/ndarray.c:2986)\r\nRuntimeWarning: tp_compare didn't return -1 or -2 for exception",
"title": "min() and max() issues runtime warning",
"type": "issue"
},
{
"action": "closed",
"author": "madsbk",
"comment_id": null,
"datetime": 1482308408000,
"masked_author": "username_1",
"text": "",
"title": null,
"type": "issue"
}
] | 576 | false | false | 2 | 2 | false |
akkadotnet/akka.net | akkadotnet | 178,185,969 | 2,314 | null | [
{
"action": "opened",
"author": "Aaronontheweb",
"comment_id": null,
"datetime": 1474407157000,
"masked_author": "username_0",
"text": "```[Step 2/2] System.NullReferenceException: Object reference not set to an instance of an object.\r\n[21:09:38]\t[Step 2/2] at Akka.Actor.HashedWheelTimerScheduler.Run() in D:\\BuildAgent\\work\\d26c9d7f36545acd\\src\\core\\Akka\\Actor\\Scheduler\\HashedWheelTimerScheduler.cs:line 187\r\n[21:09:38]\t[Step 2/2] at System.Threading.ExecutionContext.RunInternal(ExecutionContext executionContext, ContextCallback callback, Object state, Boolean preserveSyncCtx)\r\n[21:09:38]\t[Step 2/2] at System.Threading.ExecutionContext.Run(ExecutionContext executionContext, ContextCallback callback, Object state, Boolean preserveSyncCtx)\r\n[21:09:38]\t[Step 2/2] at System.Threading.ExecutionContext.Run(ExecutionContext executionContext, ContextCallback callback, Object state)\r\n[21:09:38]\t[Step 2/2] at System.Threading.ThreadHelper.ThreadStart()\r\n```\r\nCrashed the test run. Need to fix this before we ship 1.1.2.",
"title": "HashedWheelTimer NRE bug",
"type": "issue"
},
{
"action": "created",
"author": "Aaronontheweb",
"comment_id": 248466324,
"datetime": 1474414045000,
"masked_author": "username_0",
"text": "Figured it out - looks like a race condition that occurs when the `HashedWheelTimerScheduler` attempts to shut down.\r\n\r\n```csharp\r\n// return the list of unprocessedRegistrations and signal that we're finished\r\n _stopped.Value.TrySetResult(_unprocessedRegistrations); // <- NREs\r\n```",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "Aaronontheweb",
"comment_id": 248466731,
"datetime": 1474414182000,
"masked_author": "username_0",
"text": "Ooooooooooohhh subtle.\r\n\r\n```csharp\r\n private Task<IEnumerable<SchedulerRegistration>> Stop()\r\n {\r\n var p = new TaskCompletionSource<IEnumerable<SchedulerRegistration>>();\r\n#pragma warning disable 420\r\n if (Interlocked.CompareExchange(ref _workerState, WORKER_STATE_SHUTDOWN, WORKER_STATE_STARTED) == WORKER_STATE_STARTED\r\n#pragma warning restore 420\r\n && _stopped.CompareAndSet(null, p))\r\n {\r\n // Let remaining work that is already being processed finished. The termination task will complete afterwards\r\n return p.Task;\r\n }\r\n return Completed;\r\n }\r\n```\r\n\r\nThis half of the `if` statement executes first, which is what signals shutdown to the HWT:\r\n\r\n```csharp\r\nInterlocked.CompareExchange(ref _workerState, WORKER_STATE_SHUTDOWN, WORKER_STATE_STARTED) == WORKER_STATE_STARTED\r\n```\r\n\r\nThe second half of the `if` statement may not have a chance to complete its CAS operation before the worker thread reaches the area where it depends on the value:\r\n\r\n```csharp\r\n&& _stopped.CompareAndSet(null, p)\r\n```\r\n\r\nSwitching the order of operations around will fix this, so the value is always set before the loop is allowed to exit.",
"title": null,
"type": "comment"
},
{
"action": "closed",
"author": "alexvaluyskiy",
"comment_id": null,
"datetime": 1474439429000,
"masked_author": "username_1",
"text": "",
"title": null,
"type": "issue"
}
] | 2,439 | false | false | 2 | 4 | false |
grails/grails-core | grails | 162,854,707 | 10,016 | null | [
{
"action": "opened",
"author": "a200612",
"comment_id": null,
"datetime": 1467183738000,
"masked_author": "username_0",
"text": "### Steps to Reproduce\r\n\r\n1. mkdir mymultiproject\r\n2. cd mymultiproject\r\n3. grails create-app myapp\r\n4. grails create-plugin myplugin\r\n5. echo \"include 'myapp', 'myplugin'\" >> settings.gradle\r\n6. cd myplugin\r\n7. grails create-domain-class com.example.Person\r\n8. cd ../myapp\r\n9. grails generate-controller com.example.Person\r\n\r\n### Expected Behaviour\r\n\r\nA controller should be generated in the myapp project using the domain class from myplugin.\r\n\r\n### Actual Behaviour\r\n\r\n| Error Domain class not found for name com.example.Person\r\n\r\n### Environment Information\r\n\r\n- **Operating System**: Ubuntu 16.04\r\n- **Grails Version:** 3.1.7\r\n- **JDK Version:** OpenJDK 1.8.0_91",
"title": "Grails CLI generate-controller throws \"Domain class not found\" on multi-project",
"type": "issue"
},
{
"action": "created",
"author": "sdelamo",
"comment_id": 303391509,
"datetime": 1495544773000,
"masked_author": "username_1",
"text": "Before Step 9. you need to add the dependency between `myapp` and `myplugin`. \r\n\r\nexample repository: \r\n\r\nhttps://github.com/grails-core-issues-forks/github-issue-10016",
"title": null,
"type": "comment"
},
{
"action": "closed",
"author": "ilopmar",
"comment_id": null,
"datetime": 1529661242000,
"masked_author": "username_2",
"text": "",
"title": null,
"type": "issue"
}
] | 837 | false | false | 3 | 3 | false |
t1m0n/air-datepicker | null | 191,665,590 | 151 | null | [
{
"action": "opened",
"author": "nicolasburg",
"comment_id": null,
"datetime": 1480068276000,
"masked_author": "username_0",
"text": "I've created a datepicker with multipleDates option and range option in order to select multiple ranges of dates but it only allow me to add one range of dates.\r\nAm I doing it wrong? Is it possible to fix?\r\nMaybe you should add a rangeDateSeparator option too?\r\n\r\nThanks",
"title": "Add multiple ranges",
"type": "issue"
},
{
"action": "created",
"author": "t1m0n",
"comment_id": 262935133,
"datetime": 1480072462000,
"masked_author": "username_1",
"text": "There is no possibility to select multiple date ranges. You can use `multipleDatesSeparator` to separate dates in range mode.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "MaximeDevalland",
"comment_id": 275915786,
"datetime": 1485698615000,
"masked_author": "username_2",
"text": "I would love to see this option. @username_0 : have you find a way to do a multiple date range selection ?",
"title": null,
"type": "comment"
}
] | 502 | false | false | 3 | 3 | true |
khartec/waltz | khartec | 180,018,485 | 632 | null | [
{
"action": "opened",
"author": "rovats",
"comment_id": null,
"datetime": 1475147103000,
"masked_author": "username_0",
"text": "Potentially show preview on tree node click as well, similar to org/person/other rollup pages",
"title": "Indicator detail view: Show indicator nav tree",
"type": "issue"
},
{
"action": "closed",
"author": "davidwatkins73",
"comment_id": null,
"datetime": 1476434698000,
"masked_author": "username_1",
"text": "",
"title": null,
"type": "issue"
}
] | 93 | false | false | 2 | 2 | false |
Automattic/kue | Automattic | 219,172,492 | 1,045 | null | [
{
"action": "opened",
"author": "VoYakymiv",
"comment_id": null,
"datetime": 1491293744000,
"masked_author": "username_0",
"text": "Thanks for project.\r\nI found it very useful, but have a problem with search option.\r\n\r\nI've enabled search option, installed reds, but search isn`t working. I`m trying to search using API and web UI.\r\nI found that whatever search keys I`m adding to job, in redis it still using same index \"UNTFN\".\r\nAnd if I will try to search directly with this index string \"UNTFN\", it will find all jobs, but it doesn`t find with search keys.\r\nHow could it be fixed?",
"title": "Search doesn`t work",
"type": "issue"
}
] | 452 | false | false | 1 | 1 | false |
PowerShell/PowerShell | PowerShell | 209,919,156 | 3,194 | {
"number": 3194,
"repo": "PowerShell",
"user_login": "PowerShell"
} | [
{
"action": "opened",
"author": "daxian-dbw",
"comment_id": null,
"datetime": 1487893585000,
"masked_author": "username_0",
"text": "I should have updated this comment a long time ago ... Fix #1658",
"title": "Update a comment in Credential.cs to make it accurate",
"type": "issue"
},
{
"action": "created",
"author": "PaulHigin",
"comment_id": 282432105,
"datetime": 1487978380000,
"masked_author": "username_1",
"text": "LGTM",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "daxian-dbw",
"comment_id": 282445050,
"datetime": 1487984138000,
"masked_author": "username_0",
"text": "@TravisEz13 I will just merge this PR since it's just comment change and also got approved by Paul.",
"title": null,
"type": "comment"
}
] | 167 | false | false | 2 | 3 | false |
sonata-project/SonataNotificationBundle | sonata-project | 71,316,317 | 136 | {
"number": 136,
"repo": "SonataNotificationBundle",
"user_login": "sonata-project"
} | [
{
"action": "opened",
"author": "OskarStark",
"comment_id": null,
"datetime": 1430148077000,
"masked_author": "username_0",
"text": "",
"title": "Updated some german translations",
"type": "issue"
},
{
"action": "created",
"author": "Soullivaneuh",
"comment_id": 111710941,
"datetime": 1434202928000,
"masked_author": "username_1",
"text": "This is not really a correction, another translations as the same `Id` notation.\r\n\r\nSee here: https://github.com/sonata-project/SonataNotificationBundle/blob/master/Resources/translations/SonataNotificationBundle.en.xliff#L17-L20\r\n\r\nRegards.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "OskarStark",
"comment_id": 111727637,
"datetime": 1434213401000,
"masked_author": "username_0",
"text": "In the Otter Sonata bundles they use it like this",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "OskarStark",
"comment_id": 111727647,
"datetime": 1434213413000,
"masked_author": "username_0",
"text": "Other *",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "Soullivaneuh",
"comment_id": 111808854,
"datetime": 1434276223000,
"masked_author": "username_1",
"text": "@username_0 on which ones?",
"title": null,
"type": "comment"
}
] | 323 | false | false | 2 | 5 | true |
jaquadro/NBTExplorer | null | 96,307,695 | 36 | null | [
{
"action": "opened",
"author": "AnrDaemon",
"comment_id": null,
"datetime": 1437483023000,
"masked_author": "username_0",
"text": "```\r\n\t\t\"GameRules\": \r\n\t\t{\r\n\t\t\t\"doTileDrops\": \"true\",\r\n\t\t\t\"doFireTick\": \"true\",\r\n\t\t\t\"mobGriefing\": \"true\",\r\n\t\t\t\"commandBlockOutput\": \"true\",\r\n\t\t\t\"openblocks:spawn_graves\": \"true\",\r\n\t\t\t\"doMobSpawning\": \"true\",\r\n\t\t\t\"naturalRegeneration\": \"true\",\r\n\t\t\t\"doMobLoot\": \"true\",\r\n\t\t\t\"doDaylightCycle\": \"true\",\r\n\t\t\t\"keepInventory\": \"false\"\r\n\t\t},\r\n```\r\nThere's special types for true/false values. They must not be represented as strings.\r\nRef: http://json.org/",
"title": "Wrong JSON export",
"type": "issue"
},
{
"action": "created",
"author": "LB--",
"comment_id": 123321044,
"datetime": 1437487475000,
"masked_author": "username_1",
"text": "All Minecraft game rules are stored as strings in the NBT.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "AnrDaemon",
"comment_id": 123349264,
"datetime": 1437489781000,
"masked_author": "username_0",
"text": "Missed that somehow. Thanks.",
"title": null,
"type": "comment"
},
{
"action": "closed",
"author": "AnrDaemon",
"comment_id": null,
"datetime": 1437489781000,
"masked_author": "username_0",
"text": "",
"title": null,
"type": "issue"
}
] | 534 | false | false | 2 | 4 | false |
owncloud/documentation | owncloud | 74,536,007 | 1,123 | {
"number": 1123,
"repo": "documentation",
"user_login": "owncloud"
} | [
{
"action": "opened",
"author": "carlaschroder",
"comment_id": null,
"datetime": 1431129793000,
"masked_author": "username_0",
"text": "re UI updates in https://github.com/owncloud/documentation/issues/1108\r\n\r\n@schiesbn please review. \r\n\r\nEncryption cannot be disabled in the Web UI, but ``occ encryption:disable`` is still available, and you can disable the encryption app. How do you want the documentation to address this? Because the Admin page has that scary warning that encryption is not reversible.",
"title": "update encryption docs with new UI features",
"type": "issue"
},
{
"action": "created",
"author": "MorrisJobke",
"comment_id": 101529232,
"datetime": 1431498424000,
"masked_author": "username_1",
"text": "cc @username_2 @schiesbn Regarding the deactive encryption",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "nickvergessen",
"comment_id": 101540771,
"datetime": 1431500481000,
"masked_author": "username_2",
"text": "Well `occ` is more of a \"we expect you to know what you are doing\" since you can break shares etc with a `files:scan` and so on. So I think just removing it form the docs (like this PR did) is fine.",
"title": null,
"type": "comment"
}
] | 629 | false | false | 3 | 3 | true |
MobileChromeApps/cordova-crosswalk-engine | MobileChromeApps | 55,548,594 | 15 | {
"number": 15,
"repo": "cordova-crosswalk-engine",
"user_login": "MobileChromeApps"
} | [
{
"action": "opened",
"author": "jbavari",
"comment_id": null,
"datetime": 1422312169000,
"masked_author": "username_0",
"text": "onFilePickerResult is no longer listed on CordovaWebView.\r\n\r\nWe should either remove the method entirely or just remove the `@Override` attribute.\r\n\r\nThis is currently causing some breaks in some builds we are using with the `@Override` and cordova-android 4.0.x",
"title": "Removing the @Override - due to the latest changes on cordova-android, o...",
"type": "issue"
},
{
"action": "created",
"author": "jbavari",
"comment_id": 71554775,
"datetime": 1422312346000,
"masked_author": "username_0",
"text": "Just got latest, saw @username_1 removed the method. Closing.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "agrieve",
"comment_id": 71572285,
"datetime": 1422320976000,
"masked_author": "username_1",
"text": "how's that for timing :P",
"title": null,
"type": "comment"
}
] | 344 | false | false | 2 | 3 | true |
jpillora/jquery.rest | null | 183,174,248 | 54 | null | [
{
"action": "opened",
"author": "holgersindbaek",
"comment_id": null,
"datetime": 1476489418000,
"masked_author": "username_0",
"text": "I have a post request that looks like this:\r\n\r\n # Make request\r\n @client().v3.create(path, options).success (data) =>\r\n console.log(\"success\")\r\n .error (errorMessage) =>\r\n console.log(\"error\")\r\n\r\nWhen I make a request where I know I'll get a 400 response, I get this output:\r\n\r\n\r\n\r\nIssue is that the page has basically crashes at this point. I can't press anything or reload the site. 10-20 seconds passes and then I get this screen:\r\n\r\n\r\n\r\nSo what's the correct way to handle an error response with jQuery rest?",
"title": "400 response crashes browser",
"type": "issue"
},
{
"action": "created",
"author": "holgersindbaek",
"comment_id": 254263346,
"datetime": 1476722693000,
"masked_author": "username_0",
"text": "No response? Is this a dead library? Should I find another library to use?",
"title": null,
"type": "comment"
}
] | 905 | false | false | 1 | 2 | false |
rust-lang/rust | rust-lang | 62,696,438 | 23,477 | null | [
{
"action": "opened",
"author": "sp3d",
"comment_id": null,
"datetime": 1426685921000,
"masked_author": "username_0",
"text": "Compiling the following program with `rustc -g` fails an LLVM assertion:\r\n```\r\n#![feature(core)]\r\n#![crate_type = \"lib\"]\r\n\r\nextern crate core;\r\nuse core::raw::Repr;\r\n\r\npub struct Dst {\r\n\tpub a: (),\r\n\tpub b: (),\r\n\tpub data: [u8],\r\n}\r\n\r\npub unsafe fn borrow(bytes: &[u8]) -> &Dst {\r\n\tlet slice = bytes.repr();\r\n\tlet dst: &Dst = std::mem::transmute((slice.data, slice.len));\r\n\tdst\r\n}\r\n```\r\n\r\n```\r\n$ rustc -g crash-rustc-g.rs \r\nrustc: /home/rustbuild/src/rust-buildbot/slave/nightly-dist-rustc-linux/build/src/llvm/include/llvm/IR/DataLayout.h:484: uint64_t llvm::StructLayout::getElementOffset(unsigned int) const: Assertion `Idx < NumElements && \"Invalid element idx!\"' failed.\r\n```\r\n\r\nThis is basically a minimal test-case, as removing pretty much anything (including fields a or b!) avoids the assertion. Similarly, compiling without `-g` does not produce an assertion failure.\r\n\r\nThe backtrace looks like this:\r\n```\r\n#0 0x00007ffff6ff44b7 in raise () from /usr/lib/libc.so.6\r\n#1 0x00007ffff6ff588a in abort () from /usr/lib/libc.so.6\r\n#2 0x00007ffff6fed41d in __assert_fail_base () from /usr/lib/libc.so.6\r\n#3 0x00007ffff6fed4d2 in __assert_fail () from /usr/lib/libc.so.6\r\n#4 0x00007ffff2fd009d in LLVMOffsetOfElement () from /usr/local/lib/librustc_llvm-4e7c5e5c.so\r\n#5 0x00007ffff6c84326 in iter::Map$LT$I$C$$u20$F$GT$.Iterator::next::h1347171284529675023 () from /usr/local/lib/librustc_trans-4e7c5e5c.so\r\n#6 0x00007ffff6c7e375 in trans::debuginfo::set_members_of_composite_type::h557c9a9bddb8036bKSE () from /usr/local/lib/librustc_trans-4e7c5e5c.so\r\n#7 0x00007ffff6c7d24c in trans::debuginfo::RecursiveTypeDescription$LT$$u27$tcx$GT$::finalize::hcc3c0cb5c91492bb7oE () from /usr/local/lib/librustc_trans-4e7c5e5c.so\r\n#8 0x00007ffff6c76fe3 in trans::debuginfo::type_metadata::h6cb0d45057c320e9U8E () from /usr/local/lib/librustc_trans-4e7c5e5c.so\r\n#9 0x00007ffff6c78031 in trans::debuginfo::type_metadata::h6cb0d45057c320e9U8E () from /usr/local/lib/librustc_trans-4e7c5e5c.so\r\n#10 0x00007ffff6c85083 in trans::debuginfo::subroutine_type_metadata::he917a06bcf81ed42u4E () from /usr/local/lib/librustc_trans-4e7c5e5c.so\r\n#11 0x00007ffff6c764b4 in trans::debuginfo::type_metadata::h6cb0d45057c320e9U8E () from /usr/local/lib/librustc_trans-4e7c5e5c.so\r\n#12 0x00007ffff6c0fb87 in trans::debuginfo::create_function_debug_context::h603196dd6899b3baGMD () from /usr/local/lib/librustc_trans-4e7c5e5c.so\r\n#13 0x00007ffff6b4d0e8 in trans::base::new_fn_ctxt::heff0d89eaf6a93a31Vs () from /usr/local/lib/librustc_trans-4e7c5e5c.so\r\n#14 0x00007ffff6c15178 in trans::base::trans_closure::h295e0a8c0302a522Rjt () from /usr/local/lib/librustc_trans-4e7c5e5c.so\r\n#15 0x00007ffff6b28f59 in trans::base::trans_fn::h475c276dfb9092deKut () from /usr/local/lib/librustc_trans-4e7c5e5c.so\r\n#16 0x00007ffff6b24bb2 in trans::base::trans_item::hc022dcad9f32230fCSt () from /usr/local/lib/librustc_trans-4e7c5e5c.so\r\n#17 0x00007ffff6c2158d in trans::base::trans_crate::ha116a53daafe15a4fPu () from /usr/local/lib/librustc_trans-4e7c5e5c.so\r\n#18 0x00007ffff7afe554 in driver::phase_4_translate_to_llvm::hb0c3ed9b413b640akOa () from /usr/local/lib/librustc_driver-4e7c5e5c.so\r\n#19 0x00007ffff7ada144 in driver::compile_input::h56dbe0e66fe8a956Rba () from /usr/local/lib/librustc_driver-4e7c5e5c.so\r\n#20 0x00007ffff7b91a43 in run_compiler::hbbbe30f1ad654d0ex2b () from /usr/local/lib/librustc_driver-4e7c5e5c.so\r\n#21 0x00007ffff7b8f88d in thunk::F.Invoke$LT$A$C$$u20$R$GT$::invoke::h9510793753674638958 () from /usr/local/lib/librustc_driver-4e7c5e5c.so\r\n#22 0x00007ffff7b8e911 in rt::unwind::try::try_fn::h15118916039308917284 () from /usr/local/lib/librustc_driver-4e7c5e5c.so\r\n#23 0x00007ffff7561f59 in rust_try_inner () from /usr/local/lib/libstd-4e7c5e5c.so\r\n#24 0x00007ffff7561f46 in rust_try () from /usr/local/lib/libstd-4e7c5e5c.so\r\n#25 0x00007ffff7b8edb7 in thunk::F.Invoke$LT$A$C$$u20$R$GT$::invoke::h8595907971712275588 () from /usr/local/lib/librustc_driver-4e7c5e5c.so\r\n#26 0x00007ffff74df996 in sys::thread::thread_start::h9f0c06661d546448B1G () from /usr/local/lib/libstd-4e7c5e5c.so\r\n#27 0x00007ffff13a7374 in start_thread () from /usr/lib/libpthread.so.0\r\n#28 0x00007ffff70a927d in clone () from /usr/lib/libc.so.6\r\n```\r\n\r\nRustc version is `rustc 1.0.0-nightly (30e1f9a1c 2015-03-14) (built 2015-03-15)`.",
"title": "LLVM assertion failure when on struct with unsized trailing field",
"type": "issue"
},
{
"action": "created",
"author": "michaelwoerister",
"comment_id": 83010273,
"datetime": 1426690766000,
"masked_author": "username_1",
"text": "Nice catch! Thanks a lot for the report and the great test case.",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "alexcrichton",
"comment_id": 185080635,
"datetime": 1455694883000,
"masked_author": "username_2",
"text": "This has apparently since been fixed, yay!",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "c3st7n",
"comment_id": 225461885,
"datetime": 1465767326000,
"masked_author": "username_3",
"text": "Raised a PR to add test case: https://github.com/rust-lang/rust/pull/34243",
"title": null,
"type": "comment"
},
{
"action": "closed",
"author": "bors",
"comment_id": null,
"datetime": 1465867601000,
"masked_author": "username_4",
"text": "",
"title": null,
"type": "issue"
}
] | 4,490 | false | false | 5 | 5 | false |
NjlsShade/overshield | null | 191,646,325 | 17 | null | [
{
"action": "opened",
"author": "NjlsShade",
"comment_id": null,
"datetime": 1480061787000,
"masked_author": "username_0",
"text": "If uMod is running and you start Overshield, the game's UI cinematic will act as though it is having a hard time pivoting; not rotating at all, or postponing the rotation and quickly rotating after some time to make up for the rotation time it failed to offer.\r\n\r\nThis issue just arose, and may be a temporary fluke, however, I've noted it to be safe.",
"title": "The title screen cinematic refuses to work as it should when utilizing uMod",
"type": "issue"
},
{
"action": "created",
"author": "NjlsShade",
"comment_id": 391868715,
"datetime": 1527197254000,
"masked_author": "username_0",
"text": "This was unrelated to uMod and rather seemed to be caused by uncapping the FPS.\r\n\r\nVsync is enabled by default moving forward and seems to have resolved the issue.",
"title": null,
"type": "comment"
},
{
"action": "closed",
"author": "NjlsShade",
"comment_id": null,
"datetime": 1527197260000,
"masked_author": "username_0",
"text": "",
"title": null,
"type": "issue"
}
] | 514 | false | false | 1 | 3 | false |
vkhatri/chef-filebeat | null | 135,011,556 | 33 | {
"number": 33,
"repo": "chef-filebeat",
"user_login": "vkhatri"
} | [
{
"action": "opened",
"author": "dissonanz",
"comment_id": null,
"datetime": 1455928759000,
"masked_author": "username_0",
"text": "",
"title": "Added multiline support for LWRP",
"type": "issue"
},
{
"action": "created",
"author": "vkhatri",
"comment_id": 186486749,
"datetime": 1455934561000,
"masked_author": "username_1",
"text": "@username_0 thanks! :+1:",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "dissonanz",
"comment_id": 187314204,
"datetime": 1456166780000,
"masked_author": "username_0",
"text": "Awesome. When do you plan to release this change?",
"title": null,
"type": "comment"
}
] | 72 | false | false | 2 | 3 | true |
airbnb/lottie-android | airbnb | 236,566,164 | 342 | null | [
{
"action": "opened",
"author": "charleston10",
"comment_id": null,
"datetime": 1497639497000,
"masked_author": "username_0",
"text": "Is there a solution to this problem? I researched issues, but I did not find :(\r\nAre there any frame limitations?\r\n\r\nTks\r\n\r\n**OutOfMemoryError**\r\n```\r\nFatal Exception: java.lang.RuntimeException: An error occured while executing doInBackground()\r\n at android.os.AsyncTask$3.done(AsyncTask.java:299)\r\n at java.util.concurrent.FutureTask$Sync.innerSetException(FutureTask.java:273)\r\n at java.util.concurrent.FutureTask.setException(FutureTask.java:124)\r\n at java.util.concurrent.FutureTask$Sync.innerRun(FutureTask.java:307)\r\n at java.util.concurrent.FutureTask.run(FutureTask.java:137)\r\n at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1076)\r\n at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:569)\r\n at java.lang.Thread.run(Thread.java:856)\r\nCaused by java.lang.OutOfMemoryError\r\n at android.support.v4.view.animation.PathInterpolatorGingerbread.(Unknown Source)\r\n at android.support.v4.view.animation.PathInterpolatorGingerbread.(Unknown Source)\r\n at android.support.v4.view.animation.PathInterpolatorCompatBase.create(Unknown Source:46)\r\n at android.support.v4.view.animation.PathInterpolatorCompat.create(Unknown Source:83)\r\n at com.airbnb.lottie.Keyframe$Factory.newInstance(Unknown Source:134)\r\n at com.airbnb.lottie.Keyframe$Factory.parseKeyframes(Unknown Source:154)\r\n at com.airbnb.lottie.AnimatableValueParser.parseKeyframes(Unknown Source:40)\r\n at com.airbnb.lottie.AnimatableValueParser.parseJson(Unknown Source:31)\r\n at com.airbnb.lottie.AnimatableIntegerValue$Factory.newInstance(Unknown Source:40)\r\n at com.airbnb.lottie.AnimatableTransform$Factory.newInstance(Unknown Source:84)\r\n at com.airbnb.lottie.Layer$Factory.newInstance(Unknown Source:229)\r\n at com.airbnb.lottie.LottieComposition$Factory.parseLayers(Unknown Source:202)\r\n at com.airbnb.lottie.LottieComposition$Factory.fromJsonSync(Unknown Source:194)\r\n at com.airbnb.lottie.LottieComposition$Factory.fromInputStream(Unknown Source:163)\r\n at com.airbnb.lottie.FileCompositionLoader.doInBackground(Unknown Source:17)\r\n at com.airbnb.lottie.FileCompositionLoader.doInBackground(Unknown Source:7)\r\n at android.os.AsyncTask$2.call(AsyncTask.java:287)\r\n at java.util.concurrent.FutureTask$Sync.innerRun(FutureTask.java:305)\r\n at java.util.concurrent.FutureTask.run(FutureTask.java:137)\r\n at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1076)\r\n at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:569)\r\n at java.lang.Thread.run(Thread.java:856)\r\n```",
"title": "RuntimeException",
"type": "issue"
},
{
"action": "created",
"author": "gpeal",
"comment_id": 309812067,
"datetime": 1497975693000,
"masked_author": "username_1",
"text": "@username_0 how big is your animation? Would it be possible to send it to me?",
"title": null,
"type": "comment"
},
{
"action": "created",
"author": "gpeal",
"comment_id": 311846256,
"datetime": 1498703913000,
"masked_author": "username_1",
"text": "@username_0 also, in your animation, are you exporting every frame as a keyframe? If so, you can dramatically optimize the animation by using time interpolators between keyframes.",
"title": null,
"type": "comment"
},
{
"action": "closed",
"author": "gpeal",
"comment_id": null,
"datetime": 1498719597000,
"masked_author": "username_1",
"text": "",
"title": null,
"type": "issue"
},
{
"action": "created",
"author": "gpeal",
"comment_id": 311879897,
"datetime": 1498719597000,
"masked_author": "username_1",
"text": "This is a duplicate of #39",
"title": null,
"type": "comment"
}
] | 2,995 | false | false | 2 | 5 | true |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.