INSTRUCTION
stringlengths 25
999
| RESPONSE
stringlengths 0
999
| SOURCE
stringlengths 16
38
| METADATA
dict |
---|---|---|---|
Filter dictionary on the basis of key value present in list
I have a dictionary D1 like this

)` but i got a dictionary of 2 rows with empry string in `key` and `value`.
Please advise. | You can use some thing like this :
Dictionary<string, int> dictionary = new Dictionary<string, int> {{"A", 1}, {"B", 2}, {"C", 3}};
List<string> list = new List<string> {"A","B"};
var result = dictionary.Where(x => list.Contains(x.Key)).ToList();
or
var result = dictionary.Where(x => list.Contains(x.Key)).ToDictionary(x=>x.Key,x=>x.Value); | stackexchange-stackoverflow | {
"answer_score": 2,
"question_score": 3,
"tags": "c#, linq, dictionary"
} |
In python, how do i extract a sublist from a list of strings by matching a string pattern in the original list
How do i return a sublist of a list of strings by using a match pattern. For example I have
myDict=['a', 'b', 'c', 'on_c_clicked', 'on_s_clicked', 's', 't', 'u', 'x', 'y']
and I want to return:
myOnDict=['on_c_clicked', 'on_s_clicked']
I think list comprehensions will work but I'm puzzled about the exact syntax for this. | import re
myOnDict = [x for x in myDict if re.match(r'on_\w_clicked',x)]
should do it...
* * *
Of course, for this simple example, you don't even need regex:
myOnDict = [x for x in myDict if x.startswith('on')]
or:
myOnDict = [x for x in myDict if x.endswith('clicked')]
or even:
myOnDict = [x for x in myDict if len(x) > 1]
Finally, as a bit of unsolicited advice, you'll probably want to reconsider your variable names. PEP8 naming conventions aside, these are `list` objects, not `dict` objects. | stackexchange-stackoverflow | {
"answer_score": 16,
"question_score": 7,
"tags": "python, regex, list, pattern matching, sublist"
} |
stop form process with ajax if input value is empty
My ajax code below will stop the form pprocess if an input value is empty, then showing an popup alert. The problem is, the process will continue after the alert popup closed. How can i stop the process until the input value is not empty?
$("#spdf-form").on('submit', function () {
var title = $('#spdf-form input[name="title"]').val();
var url = $('#spdf-form input[name="pdf"]').val();
if (title == "" || url == "") {
alert('Error; title or url is missing.');
return false;
}
}); | $("#spdf-form").on('submit', function (e) {
var title = $('#spdf-form input[name="title"]').val();
var url = $('#spdf-form input[name="pdf"]').val();
if (title == "" || url == "") {
alert('Error; title or url is missing.');
e.preventDefault();
return false;
}
}); | stackexchange-stackoverflow | {
"answer_score": 1,
"question_score": -2,
"tags": "javascript, ajax, jquery"
} |
How to change indexing while using \begin{enumerate}?
I am writing theoretical solutions for an exercise with multiple parts. However, not all questions are theoretical and so let's say that out 5 questions, I only need the indices 1, 3 and 5. I can suppress the indices by using * as shown below:
\begin{enumerate}
\item 1)
\item 3)
\item 5)
\end{enumerate}
But I was wondering if there is a better workaround to these situations. | If I understand you correctly, this is the solution to your problem:
\begin{enumerate}
\item[1)]
\item[3)]
\item[5)]
\end{enumerate}
Which putputs this:
.
I have four different types of physicians (A, B, C, D) and I'd like to send a different version of the report to each type.
Within a single .rpt file can I group 4 different report types (subreports?) so that a physician of type A sees a different version than a physician of type B?
I need this to be a pdf so I can't do any drilldown.
I apologize for being a total noob & appreciate any pointers. Thank you.
I am using Crystal Reports 2008 Version 12.5.0.1190. | Yes.
If there are few differences between the layouts, i probably would not use subreports (they may slow down the report). I would make different sessions and suppress them accordingly.
For example, suppose the datasource is one table with 10 columns. The first layout needs the columns 1 to 8. The second needs the columns 1, 5, 9, 10. So, i would make 2 different details sessions and suppress thema according to the parameters.
If the layouts are too diferent, i would make different RPT files and use the parameters to choose wich one i would pass to Crystal Reports.
If you may be more specific, maybe i can put more details. | stackexchange-stackoverflow | {
"answer_score": 0,
"question_score": 0,
"tags": "crystal reports, subreports"
} |
realmのデータファイルをdropboxにバックアップし、復元する方法について
swift
realmdefault.realmdropbox
default.realmdropboxdefault.realm
default.realmDocumentDirectorydefault.realm
dropbox | DropBox
Realm`Realm``Realm.Configuration`
DropBox | stackexchange-ja_stackoverflow | {
"answer_score": 1,
"question_score": 1,
"tags": "swift, realm, swift2, dropbox"
} |
Open an html saved notebook
I have found an `html` page clearly created using the `Save as HTML` option of `Mathematica`. Is there a way to reverse this operation? That is open the `html` file with `Mathematica` and render it as a `nb` file again? | I've created test image with Heike's code from How to create word clouds? and I've posted it... here :):
!enter image description here
So let's download it:
pic = Import["
In case of full html you can use `Import[....html, "Images"]`.
TextRecognize[ImageResize[pic, {Automatic, 1100}]]
> !enter image description here
Not perfect but it's something. It is `String` so after corrections you can convert it to `InputForm`.
You can also play with `ImageResize`, I've choosen 1100 because it gives nice output.
I think that the first operation should be
StringReplace[..., {"»?" -> "#", "f?" -> "#", " . " -> "."}]
:) | stackexchange-mathematica | {
"answer_score": 5,
"question_score": 4,
"tags": "html"
} |
Gutenberg table block with Bootstrap .table class
On my frontend I am using Boostrap 4, however Gutenberg block table has class `<table class="wp-block-table">` so instead of creating new table style it would make more sense to append the Boostrap table class to `wp-block-table` class. Would like to know if this possible. Thanks. | Since my theme did not recognize wp block table class I have added table Sass class from Gutenberg to my theme.
.wp-block-table {
width: 100%;
min-width: 240px;
border-collapse: collapse;
margin-bottom: 24px;
td, th {
padding: .3em;
border: 1px solid rgba(0, 0, 0, 0.1);
word-break: break-all;
}
th {
text-align: center;
}
} | stackexchange-wordpress | {
"answer_score": 0,
"question_score": 1,
"tags": "plugin development, block editor, twitter bootstrap, table"
} |
Get users from db Firebase
How can I get(with js) a list of the users on my db firebase? I see them stored in "Authentication" and not in "database" Maybe something like that `FirebaseApp.database().ref('users');` ? | After you authenticate a user, if you want to other add that user to Firebase Database, you can do this:
var uid = firebase.auth().currentUser.uid;
firebase.database().ref("users").child(uid).set({
username: name,
email: email
//some more user data
});
then you will have this in the db:
users
useruid
username: userx
email: [email protected]
useruid
username: usery
email:[email protected]
more info here:
< | stackexchange-stackoverflow | {
"answer_score": 1,
"question_score": 0,
"tags": "javascript, firebase, firebase realtime database"
} |
Underscore in php shell_exec
i try to execute a grep command inside a php shell_exec. And it works fine besides it fails when i have a underscore in the search word. I can not seem to figure out why this fails because of a underscore since, a grep command with a underscore in search word works in shell code below:
$output = shell_exec("grep -l -r '$search_word'");
The content in search_word variable is dynamic from database but the word that gives me trouble is base_64 | Try like this: $output = shell_exec("grep -l -r '$search_word' ./*"); | stackexchange-stackoverflow | {
"answer_score": 0,
"question_score": -2,
"tags": "php, bash, grep, shell exec"
} |
split function for C++
Is there a split type function for C++ similar to Java? I know of ignore, but I don't quite understand it, and how it'll work for my case.
My input is:
{
item = ball
book = lord of the rings
movie = star wars
}
My input given is an `<attribute>` = `<value>` and I have to store the two in different strings, or integers (depending on the value, for example, if its a number, use an integer). | Use Boost::tokenizer as it does what you want to do. From the manual:
// simple_example_1.cpp
#include<iostream>
#include<boost/tokenizer.hpp>
#include<string>
int main(){
using namespace std;
using namespace boost;
string s = "This is, a test";
tokenizer<> tok(s);
for(tokenizer<>::iterator beg=tok.begin(); beg!=tok.end();++beg){
cout << *beg << "\n";
}
} | stackexchange-stackoverflow | {
"answer_score": 6,
"question_score": 4,
"tags": "c++, string, templates, split"
} |
Load Dynamic Select - PHP VS AJAX
I have a pretty lengthy form with about 10 select fields that all load data from other tables (mysql). My question is should I load the data using php/mysql as the page loads or should I let the page load first and then grab the select options for each field using ajax? If I load the select fields using php/mysql I would have 10 trips to the server before the page completely loaded (if my thinking is correct).
My initial thought is to first load the page and then load the select fields using ajax. Would this give me a faster load time or should I just load all the select fields using php/mysql on page load?
Any thoughts, theories or strategies would be helpful. I want my pages to load as fast as possible. Thank you. | I would say do it on the server-side (in php) because if you do it in ajax you're doing a client side request to the server to do the same thing. If i'm not mistaken from what you're saying ------- its 10 separate selects done in php that happens before the page loads... as opposed to an ajax request to do 10 separate selects as the page loads in javascript (meaning its a second request to do the same thing).. server side would be the best option in this case | stackexchange-stackoverflow | {
"answer_score": 6,
"question_score": 2,
"tags": "php, mysql, ajax"
} |
How can I delete ONLY my Stack Exchange Data Explorer profile?
I would like to delete my profile on Stack Exchange Data Explorer but I want to keep all the profiles I got in other Stack Exchange sites.
How can I do that?
When I go to < click on "contact us" and choose "I need to delete my user profile" the profile link is: < and that's my Meta Stack Exchange Profile, not my SEDE profile.
I'd like to be sure that this is the correct way to delete ONLY my SEDE profile. | The short answer is that you can't, not because it's all or nothing (Data Explorer accounts are not linked in any way to your network accounts) but because there's just no delete functionality on Data Explorer*.
I'll add it to the todo list.
*Just merge, but even that works Not Well™ sometimes | stackexchange-meta | {
"answer_score": 7,
"question_score": 8,
"tags": "support, data explorer, user accounts"
} |
What is "irrational" drug/molecule design?
Both the papers "Directed evolution: the 'rational' basis for 'irrational' design" by Tobin et al. and "Rational and 'Irrational' Design of Proteins and Their Use in Biotechnology" by Nixon et al. reference the concept of "irrational" drug design, but never formally define it in their text.
Is there a formal definition of what makes a drug design process "irrational"? What is the meaning of the term "irrational" in this context?
* * *
Nixon AE, Firestine SM. Rational and "irrational" design of proteins and their use in biotechnology. _IUBMB Life_. 2000;49(3):181-187.
Tobin MB, Gustafsson C, Huisman GW. Directed evolution: the 'rational' basis for 'irrational' design. _Curr Opin Struct Biol_. 2000;10(4):421-427. | "Irrational" design in these papers refers to combinatorial mutagenesis#Combinatorial_mutagenesis), which is put forward as the alternative to "rational" protein design.
Rational design involves using existing information about a protein to choose residues to mutate.
From Nixon _et al._:
> Alteration of function by rational approaches can be achieved through single-point mutation, exchange of elements of secondary structure, exchange of whole domains, or generation of fusion proteins
Whereas irrational design uses random mutations to gain insight into the functional capacity of specific residues or domains, which may then be further manipulated by rational approaches.
From Tobin _et al._ :
> ‘Irrational’ protein design using directed evolution methods relying on entirely random mutagenesis techniques has also had its successes, particularly in cases in which sequential rounds of mutagenesis have been pursued. | stackexchange-biology | {
"answer_score": 12,
"question_score": 11,
"tags": "proteins, pharmacology"
} |
Is It possible to make a Transparent Mask like making an window, on AS3 Flash?
I want to have a movieclip make a hole on another movieclip, like putting a window on a wall. I can make a mask that has the same effect as right-clicking a layer and masking it, but that is not what I want. I want to make a transparent hole.
I have tried something like this:
mc1 = new green();
mc2 = new blue();
mc2.blendMode = BlendMode.ALPHA;
addChild(mc1);
addChild(mc2);
mc2.cacheAsBitmap = true;
mc1.mask = mc2;
And this:
mc1.cacheAsBitmap = true;
mc2.cacheAsBitmap = true;
mc1.setMask(mc2);
First problem: The code gives me errors. Second problem: Doesn't make a hole on the movieclip, just does a normal mask. | Here is your code, revised:
var mc1 = new green(); //included var before variable name
var mc2 = new blue();
mc2.blendMode = BlendMode.ERASE; //this masking shape will ERASE what's below it
MovieClip(root).blendMode = BlendMode.LAYER; //setting root to LAYER so this works
addChild(mc1);
addChild(mc2);
mc2.cacheAsBitmap = true;
It appears you are trying to create an 'inverted mask,' where the mask reveals everything under it _except_ for where it is located. This effect can be achieved by giving your `mc2` a blend mode of `BlendMode.ERASE` instead of `BlendMode.ALPHA`.
Check out this article for reference. | stackexchange-stackoverflow | {
"answer_score": 3,
"question_score": 0,
"tags": "actionscript 3, flash, adobe, mask, movieclip"
} |
Convert Json from SQL Table
I'm using `SQL Server 2016`. I want to return the `Json` in the given format.
Select statement
SELECT Country,[Arm Export],[Food Export] FROM Table
Expected `Json` Format
[
{
"India":{
"Arm Export": 30,
"Food Export": 50
}
},
{
"USA":{
"Arm Export": 90,
"Food Export": 5
}
},
{
"Russia":{
"Arm Export": 90,
"Food Export": 5
}
}
]
Any help will be appreciated.... | Try this...
SELECT'['+stuff(
(SELECT ',{"'+Country+'":{"Arm Export": '+convert(varchar,[Arm Export])+',"Food Export": '+convert(varchar,[Food Export])+'}}'
FROM TABLE
FOR XML Path('')),1,1,'')+']'[Detail]
output will be...
[
{
"India":{
"Arm Export": 30,
"Food Export": 50
}
},
{
"USA":{
"Arm Export": 90,
"Food Export": 5
}
},
{
"Russia":{
"Arm Export": 90,
"Food Export": 5
}
}
] | stackexchange-stackoverflow | {
"answer_score": 1,
"question_score": 0,
"tags": "json, sql server 2016"
} |
embedding of quaternionic projective spaces
Let $\mathbb{H}P^m$ be the $m$-th quaternionic projective space. What is the smallest integer $N$ such that there exists an embedding $$ \mathbb{H}P^2\longrightarrow \mathbb{R}^N? $$ Are there any references? | I. M. James, Lectures on algebraic and differential topology, pp. 134–174, Lecture Notes in Math., Vol. 279, Springer, Berlin, 1972, Theorems 1.2 and 1.3 show that $$N=13.$$ | stackexchange-mathoverflow_net_7z | {
"answer_score": 14,
"question_score": 9,
"tags": "at.algebraic topology, dg.differential geometry, gt.geometric topology, differential topology, embeddings"
} |
Is there any way to use XNA 3.1 with Visual C# Express 2010?
Is there any way to use XNA 3.1 with Visual C# Express 2010? | No. You can potentially reference and use some assemblies, but to get the full experience including the content pipeline, you'll need XNA Game Studio. The current release only supports Visual Studio 2008.
However, you can use XNA Game Studio 4 CTP with Visual C# 2010 Express. It is available here (as part of the Windows Phone toolset). | stackexchange-stackoverflow | {
"answer_score": 2,
"question_score": 1,
"tags": "visual studio 2010, xna"
} |
Developing app on Android TV dongle without a monitor
I have a question about developing app on MK808B Plus dongle. Is it possible to somehow emulate a screen in Android Studio, so I can see how my application looks, when it is running ? I know that I can buy a TV or monitor, plug my dongle via HDMI and check this out, but that's not the case. | The dongle you are using does not use the Android TV OS, but just a normal version of Android (4.4), so keep that in mind.
Yes, it is possible to emulate an android device on Android Studio. You can set up an emulator with custom settings such as screen size and os version. That way you can simulate how your application is going to look on your tv. | stackexchange-stackoverflow | {
"answer_score": 0,
"question_score": 0,
"tags": "android"
} |
Unexpectedly many notifications on VS Code Source Control
I am a beginner developer, and today I deployed my first Python web app (from GitHub to Heroku). This was basically my process:
* I tried using this tutorial many times to do it, but it wouldn't work. I used commands like `git add .`,`git commit -m`, and `git push heroku master` multiple times to try it out, but it wouldn't work.
* In the end, I did it through the Heroku website itself by deploying the main branch. Here's the repo.
When I opened VS Code the next time, I saw 5 thousand notifications in the Source Control tab. Is this normal? Is it safe to discard all these changes?
Here's a screenshot | These are not really notifications, they are new files which have not been commited to Git yet (unstaged files).
These files are the output of your project's build process. You don't want to track them in your Git repo, so you will want to add your build directory, along with `__pycache__` and probably at least a few others, to your `.gitignore` file so that Git ignores them.
For reference, here is GitHub's default `.gitignore` for Python projects. It has 138 lines – you probably don't actually need more than a few of them for your particular project, but it won't do any harm to use the whole file as-is.
You can learn more about ignoring files in Git here. | stackexchange-stackoverflow | {
"answer_score": 0,
"question_score": 0,
"tags": "git, visual studio, github, heroku"
} |
SQLITE: import data from a CSV
I need to import in a SQLITE database a CSV file that use both numbers than strings: here you a sample ..
col_1|col_2|col_3
10|text2|
For the import I use Spatialite GUI because I've to manage also spatial data: all works fine in the import but when I try to select the data
select * from test;
;
.mode csv
.separator |
.import test.csv test
.quit
You can save this in a file (es. `test.txt`) and then, in a second file named `test.sh` write
sqlite3 dbtest.sqlite < test.txt
save and change its permission (`chmod 777`), and then launch it form comand line
./test.sh
This will create a table `test` in your `dbtest.sqlite` getting data form `test.csv` file | stackexchange-stackoverflow | {
"answer_score": 1,
"question_score": 2,
"tags": "csv, import, sqlite, spatialite"
} |
how to connect app to development server and makes it sensitive to changes?
I'm working on an app that was developed by someone else and referred to me for debugging. I downloaded the project from git and now when I install it on my android device using the react-native run-android command and change the codes and save it, nothing happens in the app and I have to reinstall using "react-native run-android" to see the changes. what should I do to see the changes online? | The solution was quite simple. The only thing I had to do was to shake the device and click on "enable hot reloading" in the opened menu. | stackexchange-stackoverflow | {
"answer_score": 1,
"question_score": 0,
"tags": "react native"
} |
A quick way to generate 3x3 matrices with determinant equal to 1?
Perhaps a formula involving the row number and column number of an element or just some parametric equations for each element. I know that I can just multiply two of these matrices together to get another but I'd rather not do that. Also, I wouldn't want too many zeroes in the matrix (1 or 2 at most). | If you choose all matrix elements except one to be uniformly random (say, floating point numbers between 0 and 1, which many programming languages will do for you), then it is esssentially probability 0 that you will get a subfactor determinant that equals 0. So just expand the determinant along the first row, and choose all elements random except the last element in the first row, and then choose the last element in the first row deterministically so that when you compute the determinant expanded along the first row you get 1. This is not a very nice random distribution on matrices in a certain sense but it is definitely a particular random distribution on the set of all $3 \times 3$ matrices with determinant 1. | stackexchange-math | {
"answer_score": 2,
"question_score": 1,
"tags": "matrices, determinant"
} |
How can I write PHP syntax in a string
I tried to write some content in order to write in a php file and in my $content variable i use Heredoc and nowdoc but php tags seems not working and are still shown.
$content = <<< EOT
<?php
include $_SERVER['DOCUMENT_ROOT'] . '/home/index2.php';
?>
EOT;
Any ideas ? | Try using Output buffering instead of a heredoc:
ob_start();
include $_SERVER['DOCUMENT_ROOT'] . '/home/index2.php';
$content = ob_get_clean();
Reference:
* `ob_start()`
* `ob_get_clean()` | stackexchange-stackoverflow | {
"answer_score": 4,
"question_score": -3,
"tags": "php, heredoc, nowdoc"
} |
LTS Enablement Stacks - Should I use quantal, raring or saucy?
I installed Kubuntu 12.04 from a beta ISO and I have been updating it ever since then. However, I want to opt into the hardware enablement stack for Precise now.
I have two questions:
First, how do I decide between versions? For example, betwen quantal, raring or saucy would I simply pick the latest? (And is saucy available for this purpose yet?)
sudo apt-get install linux-generic-lts-raring xserver-xorg-lts-raring
or
sudo apt-get install linux-generic-lts-saucy xserver-xorg-lts-saucy
Second, if I opt into the hardware enablement stack using the raring release, will there be any difficulties or challenges moving to the saucy or subsequent releases later? And what would I have to do at that time? | The choice between quantal, raring and saucy is really up to you but these stacks are named after the release they feature in. As such, the saucy stack is currently unreleased and should be considered unsuitable for production.
Moving between stacks is possible. They're just packages, after all.
The only real bad scenario is starting on 12.04, installing 13.04's HWE and then upgrading the distribution to 12.10. Your X stack would be newer than the rest of the system in an untested configuration. I would recommend removing the HWE stack packages before upgrading.
Standard LTS upgrading (eg to 14.04) is fine though you may need to manually upgrade the HWE. I should also point out that come 14.04, the only two stacks supported for 12.04 are the original stack and 14.04's (which will continue to be supported for the remaining 3 years of 12.04's lifespan). | stackexchange-askubuntu | {
"answer_score": 4,
"question_score": 4,
"tags": "updates, lts, 13.10, hardware enablement stack"
} |
How do I wait for an asynchronously dispatched block to finish?
I am testing some code that does asynchronous processing using Grand Central Dispatch. The testing code looks like this:
[object runSomeLongOperationAndDo:^{
STAssert…
}];
The tests have to wait for the operation to finish. My current solution looks like this:
__block BOOL finished = NO;
[object runSomeLongOperationAndDo:^{
STAssert…
finished = YES;
}];
while (!finished);
Which looks a bit crude, do you know a better way? I could expose the queue and then block by calling `dispatch_sync`:
[object runSomeLongOperationAndDo:^{
STAssert…
}];
dispatch_sync(object.queue, ^{});
…but that’s maybe exposing too much on the `object`. | Trying to use a `dispatch_semaphore`. It should look something like this:
dispatch_semaphore_t sema = dispatch_semaphore_create(0);
[object runSomeLongOperationAndDo:^{
STAssert…
dispatch_semaphore_signal(sema);
}];
if (![NSThread isMainThread]) {
dispatch_semaphore_wait(sema, DISPATCH_TIME_FOREVER);
} else {
while (dispatch_semaphore_wait(sema, DISPATCH_TIME_NOW)) {
[[NSRunLoop currentRunLoop] runMode:NSDefaultRunLoopMode beforeDate:[NSDate dateWithTimeIntervalSinceNow:0]];
}
}
This should behave correctly even if `runSomeLongOperationAndDo:` decides that the operation isn't actually long enough to merit threading and runs synchronously instead. | stackexchange-stackoverflow | {
"answer_score": 317,
"question_score": 184,
"tags": "objective c, unit testing, grand central dispatch"
} |
How to translate this css in withStyle / jss ready syntax
I'm trying to make some element blink in css, under React/material-ui, using withStyle.
The syntax from this post looks nice: <
.blink {
animation: blinker 1s step-start infinite;
}
@keyframes blinker {
50% {
opacity: 0;
}
}
I simply tried the following:
'@keyframes blinker': {
'50%': {
opacity: 0,
},
},
'& .blink': {
animation: '$blinker 1s step-start infinite',
},
Adding the `$` before `blinker`based on this issue: <
But this crashes my webpage. Any idea? Thanks! | Keyframes name is generated since JSS core v10 so depending on which version you are using you need to use $ when you are referencing a scoped name or without when name/id is global. | stackexchange-stackoverflow | {
"answer_score": 1,
"question_score": 0,
"tags": "reactjs, material ui, jss"
} |
Why the interval is not saved after I close the app?
I am writing an app. I want to save the `UPDATE_INTERVAL_IN_MILLISECONDS` after I close the app but it does not work.
if (intervalSpinner.getSelectedItemPosition() == 0)
UPDATE_INTERVAL_IN_MILLISECONDS = 10000;
else if (intervalSpinner.getSelectedItemPosition() == 1)
UPDATE_INTERVAL_IN_MILLISECONDS = 20000;
else if (intervalSpinner.getSelectedItemPosition() == 2)
UPDATE_INTERVAL_IN_MILLISECONDS = 30000;
else
UPDATE_INTERVAL_IN_MILLISECONDS = 40000; | You need to save the `UPDATE_INTERVAL_IN_MILLISECONDS` before you close the application. Try to use `SharedPreferences`:
SharedPreferences sharedPref = getSharedPreferences("setting", Context.MODE_PRIVATE);
editor = sharedPref.edit();
Save the `UPDATE_INTERVAL_IN_MILLISECONDS` after the user select a different interval:
editor.putLong("interval", UPDATE_INTERVAL_IN_MILLISECONDS);
Read the `UPDATE_INTERVAL_IN_MILLISECONDS` when you restart your application:
UPDATE_INTERVAL_IN_MILLISECONDS = sharedPref.getLong("interval", 10000); | stackexchange-stackoverflow | {
"answer_score": 1,
"question_score": 1,
"tags": "java, android"
} |
Question about Standard Access Control List
According to my textbook, it states that a Standard ACL should be placed on the router interface as close to the destination as possible.
I am not sure what that means unless each router gets their own ACL? | It means like this: let's assume you have a configuration like:
`network1<-->router1<-->router2<-->router3<-->network2` .
if you want something to be denied for going into or getting out of network2, you put the ACL on router3 (which is closest to network2), not or router2 or 1 (which are further from your target compared to router3).
Standard ACL examine the source address only. As a result, you must place them as close to the destination as possible to avoid blocking traffic bound for another interface/network. | stackexchange-security | {
"answer_score": 0,
"question_score": 0,
"tags": "network, router, network access control"
} |
Django Handling Public API use (anonymouse users making calls to API)
I am making a simple website with as Django as backend. Ideally, you should be able to use it without creating an account and then all of your saved items ('notes') in there would be visible to anyone.
For now I have created a dummy user on Django, and every time an anonymous user makes an API call to add/delete/modify a notes, on Django's side it selects dummy user as a user.
It would work okey (I think) but one of Django's API can take a really long time to run (~1-2 minutes). Meaning that if multiple people are trying to make API calls while being anonymous, at some point the server will freeze until the long API finishes run.
Is there a way such case should be handed on the server side to prevent freezing of server ? | As Sorin answered in comments, I would go into Celery way. Basically you can create model that collect the data when the last Celery task was ran - and, for example if it was not running since last 24 hours, and user visits the website, you run task again by async way.
You are not even forced to use AJAX calls for that, because sending task to Celery is fast enough to call it on `get_context_data()` or `dispatch()` methods. You could overload others, but these are the fastest and safest to override. | stackexchange-stackoverflow | {
"answer_score": 1,
"question_score": 0,
"tags": "python, django, django rest framework"
} |
"Nier" utilise-t-il le subjonctif dans des phrases positives et négatives?
D'après ce site, le double négatif utilise également le subjonctif. Est-ce une erreur?
> When nier is in the negative, it's followed by the ne explétif:
>
> Il n'a pas nié qu'elle ne soit partie. He didn't deny that she left. | _Nier_ est dans la littérature presque exclusivement suivi du subjonctif, pour l'affirmative aussi bien que pour la négative. Les seules exceptions que l'on trouve dans cette liste sont des constructions particulières comme _c'est à tort qu'il a nié que_ …, _personne ne nie que_ ….
L'article parle d'un _ne_ explétif après _ne pas nier_ , qui, il y a deux siècles de cela, était prôné par le _Dictionnaire raisonné des difficultés grammaticales et littéraires_, alors que l'académie acceptait déjà les deux formes à la même époque, mais depuis environ 1930 c'est à l'inverse devenu l'exception de trouver un _ne_ explétif à cet endroit, bien que ça se trouve encore occasionnellement.
L'article à ce sujet de Girodet confirme l'évolution et contient d'autres exemples intéressants. | stackexchange-french | {
"answer_score": 4,
"question_score": 5,
"tags": "subjonctif, ne explétif"
} |
Array formula with SUM Function returns incorrect result
I have some data of transactions, for example as following:
Column B|Column C
TRUCK_ID|TON
TR-12 |60
TR-10 |65
TR-09 |56
TR-12 |75
TR-10 |70
*in reality I have thousands data
Then I would like to count how many truck that loads overcapacity, where the load limit as following:
Column F|Column G
TR-09|50
TR-10|60
TR-12|65
I use a combination of SUM, IF, INDEX, MATCH and ROW
=SUM(IF(C4:C8>INDEX(G4:G6,MATCH(INDEX(B4:B8,ROW(B4:B8)-3),F4:F6,0)),1))
But when I only select one (single) cell and click CSE
it returns '2' (incorrect)
If I select multi cells (let say 2 cells) and click CSE
it returns '4' (correct)
I expect I only put and select one single cell only and return the correct result. Anybody could help me, please | You could try:
=SUMPRODUCT((B2:B6=TRANSPOSE(F2:F4))*(C2:C6>TRANSPOSE(G2:G4)))
Note: This is an array formula and need to be confirmed through `Ctrl``Shift``Enter`
You could also add one helper column, in `H2` put:
=COUNTIFS($B$2:$B$6,F2,$C$2:$C$6,">"&G2)
And drag down, to sum H2:H at the end.
* * *
**_Screenshot** `SUMPRODUCT`:_
 to an array of two elements.For example :
string :- abs:sba;//array[0]='abs';array[1]='sba';
string :- abs.sba;//array[0]='abs';array[1]='sba';
string :- abs/sba;//array[0]='abs';array[1]='sba';
I have tried with `string.split(':');` method,but it will not be applicable for the next two cases.I need a solution which split the string dynamically. | You can use **regex** to specify multiple delimiters in a **character class** :
yourString.split(/[:;,\/]/);
Specify all possible delimiters inside `[]` in the regex. | stackexchange-stackoverflow | {
"answer_score": 3,
"question_score": -1,
"tags": "javascript, arrays, string"
} |
Common words not showing up in FULLTEXT search results
I am using Full Text searching for a website I am making to order a users search query by relevance. This is working great with one problem. When a search term is populated in my table more than 50% of the time, that query is ignored. I am looking for a solution to NOT ignore words that are in more than 50% of the rows of a table.
For example, in my "items" table, it may look something like this:
item_name
---------
poster 1
poster 2
poster 3
poster 4
another item
If a user searches for "poster", the query returns 0 results because it appears too many times in the table. How can I stop this from happening?
I've tried using IN BOOLEAN MODE, but that takes away the functionality I need (which is ordering by relevance).
Here's an example of my SQL:
SELECT item_title
FROM items
WHERE MATCH(item_title, tags, item_category) AGAINST('poster') | You have to recompile MySQL to change this. From the documentation on Fine-Tuning MySQL Full-Text Search
> The 50% threshold for natural language searches is determined by the particular weighting scheme chosen. To disable it, look for the following line in storage/myisam/ftdefs.h:
>
>
> #define GWS_IN_USE GWS_PROB
>
>
> Change that line to this:
>
>
> #define GWS_IN_USE GWS_FREQ
>
>
> Then recompile MySQL. There is no need to rebuild the indexes in this case. | stackexchange-stackoverflow | {
"answer_score": 2,
"question_score": 2,
"tags": "mysql, sql, full text search"
} |
¿Por qué no ejecuta la función Javascript el onclick de este checkbox?
Tengo el siguiente código, que por alguna razón no me ejecuta la funcion "comprobarRespuesta()" al clicar el input que tiene un onclick colocado que ejecutaría la función.
**Función:**
<script language="javascript">
function comprobarRespuesta(respuestaUsuario){
if(respuestaUsuario==<?php echo $_SESSION['respuestaLetra'];?>)
alert("¡Correcto!")
else
alert("¡Incorrecto!")
}
</script>
**Que debería ser llamado al clicar en:**
<div class="custom-control custom-checkbox mb-0">
<input type="checkbox" class="custom-control-input" id="customCheck1" name="example1" onclick="comprobarRespuesta(a)">
<label class="custom-control-label" for="customCheck1"><?php echo $_SESSION['aRespuesta'];?></label>
</div>
¡Gracias de antemano! | Si que te estará ejecutando la fución, lo único que no sabe que es el parametro a que le pasas.
Es decir cuando llamas a la función `comprobarRespuesta(a)` no sabe interpretar que es esa `a`, porque al ir sin comillas interpreta que es una variable.
Para solucionar eso añade a lo que le pasas a la función unas comillas. `comprobarRespuesta('a')`.
Todo quedarías asi:
function comprobarRespuesta(respuestaUsuario){
if(respuestaUsuario=='a')
alert("¡Correcto!")
else
alert("¡Incorrecto!")
}
<div class="custom-control custom-checkbox mb-0">
<input type="checkbox" class="custom-control-input" id="customCheck1" name="example1" onclick="comprobarRespuesta('a')" />
<label class="custom-control-label" for="customCheck1"><?php echo $_SESSION['aRespuesta'];?></label>
</div> | stackexchange-es_stackoverflow | {
"answer_score": 2,
"question_score": 2,
"tags": "javascript"
} |
set sender address in postfix smtp relay
I have setup postfix locally on my Linux box, it relays to my gmail account. This works nicely thanks to <
However I would like to be able to specify the sender address (From:), I could not figure out what I needed to do. Does anyone knows how I can specify any of my (pre)configured valid gmail address ? All I could find is this:
Thanks | I did post this question to the debian-users group and got the following answer:
> You can specify any headers with -a, e.g.
>
> $ mail -a 'From: "My Name" ' da
<
Which works beautifully | stackexchange-stackoverflow | {
"answer_score": 0,
"question_score": 0,
"tags": "gmail, postfix mta"
} |
Can an application event be handled by a lightning component whose body isn't rendered?
I have a component that receives an app event to indicate if it should be made visible or not. I'm firing this app event from another component on the page.
The receiving component show only show upon receiving the app event with a particular value for the `visible` attribute. I'm hiding the content of the receiving component using this:
<aura:if isTrue="{!v.visible}">...</aura:if>
However, if `v.visible` is `false` by default, the app event is not received (or handled). If the `v.visible` is `true` by default (and some markup is initially rendered), the app event is received and handled.
It seems that some content must be outputted on the or the app event is ignored/not handled.
Is this expected behavior?
Are there any patterns or work arounds to do what I'm trying to do? | Yes, this is expected behavior. `aura:if` actually physically removes the component from the DOM/component hierarchy, and therefore it cannot receive events while not rendered. Instead, use `class="slds-hide"` if you want to hide a component that can still receive events. | stackexchange-salesforce | {
"answer_score": 4,
"question_score": 2,
"tags": "lightning aura components, lightning events"
} |
What does "thanking the bus driver" do?
I was gone on vacation, when I came back , and checked fortnite, in a battle, there were so many
> Player X has thanked the bus driver
at the start of a game.
Does this do anything if I thank the bus driver(Pushing the EMOTE key)? Or is this a funny useless thing added thing by epic? | It does not provide any gameplay advantage to thank the bus driver. It is just a little fun thing, probably based on the "thanking the bus driver makes you a better/more successful person" meme.
Source: < | stackexchange-gaming | {
"answer_score": 19,
"question_score": 13,
"tags": "fortnite battle royale"
} |
How should I set password for a user I created using ssh?
I have 20 machines where I need to create a user and set his password. I can create the accounts and set the passwords using a for loop. The inside of the for loop is given as follows
ssh -t user1@$node_name 'sudo useradd user2'
ssh -t user1@$node_name 'sudo passwd user2'
However, this requires me to input the password for user1 first and then input the new password for user2. I tried it for 2 machines and it works. I however do not like the wasteful effort involved and am guessing there would me a more efficient way of doing so. Any ideas? | To remove the need to enter user1's password, you can mess with the `sudo` `-A` or `-a` options on $node_name to get authentication to happen automatically in some other way.
To remove the need to type user2's password, you can try something like this:
ssh -t user1@$node_name "sudo echo $newpass | useradd user2 --stdin" | stackexchange-stackoverflow | {
"answer_score": 0,
"question_score": 0,
"tags": "ssh, passwd"
} |
Is an anthology a valid NaNoWriMo entry?
I'm considering taking my first run at NaNoWriMo. 50,000 connected words of beginning-to-end narrative is a little more than I'm used to, so I was considering writing a series of novella-length pieces and tying them together with a common theme (say oranges, or plate tectonics).
I know the NaNoWriMo "rules" are loose, but I would like to understand if my 30-day investment is going to pay off in something that will be seen as valid by anyone who's done this before.
For a NaNoWriMo person, what could a writer who creates an anthology-form novel do that would make the work more or less novel-y? Would 10 5000 word short stories be considered a valid result? 2.5 20,000 word novellas?
I am asking for anecdotes to help me answer a question: what is a valid "novel" form for NaNoWriMo? | The rules say that if you think of it as a novel, it counts as a novel. If you don't think of the whole 50,000 words as a novel, it doesn't strictly fit the rules.
I've known lots of people who write 50,000 words of short stories and call it good. It may not strictly satisfy the rules, but so what? You wrote 50,000 words of short stories and had a lot of fun. If some sourpuss doesn't think that's valid, well, you have 50,000 new words and thrill of the experience, and they have a sour puss.
One way people make their short stories more novely is to connect them in some way. Maybe they share a time, place, character, theme, or object. Or maybe each one picks up on a plot point from another. | stackexchange-writers | {
"answer_score": 10,
"question_score": 4,
"tags": "short story, conventions, rules, nanowrimo, anthologies"
} |
Sum alignment in equations
What is the best way to align equal signs and sum symbols in the following MWE?
\documentclass[a4paper]{report}
\usepackage{amsmath}
\begin{document}
\begin{equation}
\begin{alignedat}{4}
y_\text{L} = & \sum_{s=1}^n \left( Y_s \, \lambda_s \right) & \quad &
\\
x = & \sum_{s=1}^n \left( X_s \, \lambda_s \right) & \quad & x \geq 0
\\
& \sum_{s=1}^n \lambda_s = 1 & \quad & \lambda_s \geq 0
\end{alignedat}
\end{equation}
\end{document}
This is not perfect but works. As far as I know `&=` should be preferred over `=&` since the latter causes the space shrieked. But I cannot achieve desired alignment with `&=`. | Please clarify what exactly you want to achieve! Here is your code how I would have written it:
\documentclass[a4paper]{report}
\usepackage{mathtools}
\begin{document}
\begin{equation}
\begin{alignedat}{2}
y_\mathrm{L} &= \sum_{s=1}^n (Y_s \, \lambda_s)\\
x &= \sum_{s=1}^n (X_s \, \lambda_s) &&\qquad x \geq 0\\
&\mathrel{\hphantom{=}} \sum_{s=1}^n \lambda_s = 1 &&\qquad \lambda_s \geq 0\\
\sum_{s=1}^n \lambda_s &= 1 &&\qquad \lambda_s \geq 0
\end{alignedat}
\end{equation}
\end{document}
You may decide if you want to have the last or the previous line.
!enter image description here
Please note that the use of `\left(` and `\right)` is not needed here and does change the spacing. For this very case, `\sum_{s=1}^nY_s\lambda_s` would be enough to be understood right.
If you like, you may write `x_{\phantom{s}}\geq 0` in order to get the inequalities aligned as well. | stackexchange-tex | {
"answer_score": 2,
"question_score": 0,
"tags": "math mode, align"
} |
Using NSDateFormatter to format date to local date
I have tried numerous attemps of formatting a relatively simple date format to a date object, but also converting to my local time zone.
All dates are formatte like this: `2010-09-11T08:55:00`. This is GMT time, and I want it converted to a date object with GMT+2.
Can anyone please point me in the right direction? | I just figured out how to format the date:
NSString *str = @"2010-09-10T18:24:43";
NSDateFormatter *format = [[NSDateFormatter alloc] init];
[format setDateFormat:@"yyyy-MM-dd'T'HH:mm:ss"];
NSDate *date = [format dateFromString:str];
[format setDateFormat:@"EEEE MMMM d, YYYY"];
str = [format stringFromDate:date];
[format release];
NSLog(@"%@", str);
Just need to convert to local timezone now.. | stackexchange-stackoverflow | {
"answer_score": 0,
"question_score": 0,
"tags": "timezone, nsdate, nsdateformatter, date formatting"
} |
Get read write access to windows partitions on internal hard drive
I'm using Ubuntu 16.10 from an external hard drive and want to read and write to windows partitions on internal hard drive. How can I set the required permissions?
I have tried setting permissions using properties in Nautilus file manager but that doesn't help. | This is **not** an issue of file permissions. Changing settings via Nautilus won't help.
Newer Windows (8/8.1/10) use hybrid shutdown instead of regular shutdown. This makes them boot faster since the system is resuming from hibernation. But this creates problems when you try to use the partitions of hibernated windows with Linux.
To be able to access the Windows partitions from Linux, you should properly shutdown Windows.
To do that, open a command prompt windows as administrator, type and press enter
shutdown -s -t 00
You have to do this every time to need to access Windows partitions from Linux.
To turn the hybrid shutdown off permanently, open a command prompt as administrator, type and press enter
powercfg /h off
* * *
Read more about it here - Unable to mount Windows (NTFS) filesystem due to hibernation | stackexchange-askubuntu | {
"answer_score": 1,
"question_score": 0,
"tags": "filesystem, 16.10"
} |
Arithmetic Job Test question
I'm taking a job test soon and was going through the sample test questions when I came across this question which may or may not be tricksy:
A full stack of paper weighs 10 pounds. How much does a stack of the
same paper, whose dimensions are twice that of the first stack, weigh?
The wording is ambiguous, so I was hoping someone could help me out. Would it be 60 pounds (each dimension is doubled) or 20 pounds (one dimension is doubled)? | Weight is proportional to volume. Doubling each of the three dimensions increases the volume by a factor of $2\times 2 \times 2 = 2^3 = 8$. So the weight also increases by a factor of $8$. That means the new weight is $10\times8 = 80 \text{ lbs}$. | stackexchange-math | {
"answer_score": 3,
"question_score": 0,
"tags": "arithmetic"
} |
alias the product of 2 tables after joining
okay, so thing is I have 2 different tables and I use an inner join to get the common of the 2 tables. I can alias the new columns after joining just fine but I need to count and show the value of the most common occurrence in the new column. I just couldn't figure a way to do that. However, I find a work around by creating a new table and count the occurrence, give out the value and drop the table. I really want to know what the right way to do this... Here is my code:
create table result as
(
select department.Dcode as de_code, department.Dname as de_name
from (department join enroll on department.Dcode = enroll.Dcode)
);
SELECT result.de_name,
COUNT(result.de_name) AS occurr
FROM result
GROUP BY result.de_name
ORDER BY occurr DESC
LIMIT 1;
drop table result; | You may try this:
SELECT result.de_name, COUNT(result.de_name) AS occurr
FROM
(select department.Dcode as de_code, department.Dname as de_name from department join enroll on department.Dcode = enroll.Dcode) as result
GROUP BY result.de_name
ORDER BY occurr DESC
Here `result` is the alias of records returned by the `INNER JOIN`. | stackexchange-stackoverflow | {
"answer_score": 0,
"question_score": 0,
"tags": "mysql, database"
} |
display an octal value as its string representation
I've got a problem when converting an octal number to a string.
p = 01212
k = str(p)
print k
The result is `650` but I need `01212`. How can I do this? Thanks in advance. | Your number `p` is the actual _value_ rather than the _representation_ of that value. So it's actually `65010`, `12128` and `28a16`, _all at the same time._
If you want to see it as octal, just use:
print oct(p)
as per the following transcript:
>>> p = 01212
>>> print p
650
>>> print oct(p)
01212
That's for Python 2 (which you appear to be using since you use the `0NNN` variant of the octal literal rather than `0oNNN`).
Python 3 has a slightly different representation:
>>> p = 0o1212
>>> print (p)
650
>>> print (oct(p))
0o1212 | stackexchange-stackoverflow | {
"answer_score": 21,
"question_score": 9,
"tags": "python, format, octal"
} |
How do I import a live template .jar file for React snippets into JetBrains WebStorm?
I downloaded a live template .jar file from jinsihou19 ReactSnippets on GitHub, referred by the JetBrains Marketplace.
I could not find any documentation on how to install the .jar file on either sites.
Does anyone know how to install this .jar file into WebStorm? | To install a plugin from a jar, follow the documentation:
> 1. Download the plugin archive (ZIP or JAR).
> 2. Press Ctrl+Alt+S to open the IDE settings and select Plugins.
> 3. On the Plugins page, click The Settings button and then click Install Plugin from Disk.
> 4. Select the plugin archive file and click OK.
> 5. Click OK to apply the changes and restart the IDE if prompted.
>
However, it's probably easier to search the marketplace in Webstorm for `React snippets` and click install there, as you'll find the same plugin. | stackexchange-stackoverflow | {
"answer_score": 3,
"question_score": 0,
"tags": "webstorm, jetbrains ide"
} |
Get Latest Created List Item
I got array of objects that is list items
arr = [{id:"1",name:"item1",created:"Wed Feb 04 2015 03:36:42 GMT+0400"},{id:"2",name:"item2",created:"Sat Feb 04 2015 02:44:39 GMT+0400"}]
i want to get the latest created Item any ideas ? | The item with the biggest ID is the latest created item.
function compare(a,b) {
if (a.id < b.id)
return -1;
if (a.id > b.id)
return 1;
return 0;
}
arr.sort(compare);
var latestItem = arr[arr.length - 1];
You can also compare the dates created in the Compare fuction and it will give the same result.
function compare2(a,b) {
var date1 = new Date(a.created);
var date2 = new Date(b.created);
if (date1 < date2)
return -1;
if (date1 > date2)
return 1;
return 0;
}
arr.sort(compare2);
var latestItem = arr[arr.length - 1]; | stackexchange-sharepoint | {
"answer_score": 2,
"question_score": 0,
"tags": "sharepoint enterprise, list, javascript, client object model"
} |
Xcode warning: "Multiple build commands for output file"
I am getting an error like this:
> [WARN]Warning: Multiple build commands for output file /Developer/B/Be/build/Release-iphonesimulator/BB.app/no.png
>
> [WARN]Warning: Multiple build commands for output file /Developer/B/Be/build/Release-iphonesimulator/BB.app/d.png
>
> [WARN]Warning: Multiple build commands for output file /Developer/B/Be/build/Release-iphonesimulator/BB.app/n.png
But I have checked Xcode and I don't see any duplicates of such files at all. As this post in the Apple Mailing Lists say, there are no duplicates. | Actually, the answer to this is quite simple.
In your Xcode project search for the files which raise the warning, and just delete one of them.
Xcode will show only one reference of that file in the search results, but don't stop there, go ahead and delete it. (it's better to make a backup of your project file before deleting it)
Now build the project again. The warning should disappear now. (this answer is for a previous version of xcode) | stackexchange-stackoverflow | {
"answer_score": 118,
"question_score": 502,
"tags": "xcode, build, warnings"
} |
SQL Window function to find days past due
I want calculate DPD (days past due) from loan list sorted by date. Every past Due date should re-counted. **See example in attach** . How can I calculate "Days past due" column ?
!DPD picture attach | This should do it.
SELECT
t1.LoanNumber, t1.daydate, t1.Status, case
when status = 'Past Due'
then datediff(day,
(select max(daydate) from table1 t2
where t2.loanNumber =t1.loanNumber
and t2.daydate<t1.daydate and t2.status<> 'Past Due'
),
daydate)
else 0 end as [Days Past Due]
from table1 t1
You can try it on sqlfiddle | stackexchange-stackoverflow | {
"answer_score": 0,
"question_score": -1,
"tags": "sql, date, window functions, gaps and islands"
} |
Compute $\int _0 ^{2\pi} (\sum_{n=1}^\infty \frac {\cos(nx)}{2^n})^2 dx$
> **Question:** Compute $$\int _0 ^{2\pi} \left(\sum_{n=1}^\infty \frac {\cos(nx)}{2^n}\right)^2 dx$$
**Thoughts:** Tried interchanging the integral and the sum, but then the integral turned out to be zero... | Hint: write the squared sum as a double sum. $$ \left(\sum_{n=1}^\infty a_n\right)^2=\left(\sum_{n=1}^\infty a_n\right)\left(\sum_{m=1}^\infty a_m\right)=\sum_{m=1}^\infty\sum_{n=1}^\infty a_ma_n.$$ | stackexchange-math | {
"answer_score": 2,
"question_score": 3,
"tags": "calculus, integration, definite integrals"
} |
Which is the better module for shopping cart?
I would like to use a shopping cart module in my site.
Can any one suggest which would be the better one with basic functionality like displaying content (media), cost, adding to cart, billing, etc. It must include all necessary features of a shopping cart.
Will Ubercart fulfill the basic requirements? | From the sounds of it, you actually want a whole e-commerce system, not just a shopping cart.
Ubercart will do this for you, but the general trend now is to go with Drupal Commerce (project page | Commerce homepage).
Both modules will allow for shopping carts, as well as integration with a variety of payment service providers. I'd personally go with Drupal Commerce. It seems a little more difficult than Ubecart at first glance, but once you get over that you'll realise it is much more flexible/powerful.
Try using the Commerce Quickstart installation profile to get yourself familiar/started with it.
There are a lot of good videos for Commerce as well such as Selling Content with Drupal Commerce using Content Access and Roles from the Commerce Guys.
Lastly, there is a blog post here that weighs up the pros and cons of each system (although it is from 2011)
Edit:
You might find the getting started guide useful also. | stackexchange-drupal | {
"answer_score": 6,
"question_score": 1,
"tags": "ubercart"
} |
Is there any way to load DataTables before showing original table?
I am experiencing difficulties with DataTables. You see, I am loading JavaScript at the end of the `</body>` tag. So, when I load a page, it shows me original table without search and pagination for 1 second and then loads DataTables. So here is a question: is there anyway to load DataTables before page loads, so it will show DataTable immediately? | There are some ways to prevent this FOUC, but you can not init the datatable before actually loading the page.
One option is to hide your table at the start using some CSS like `display: none;` or `visibility: hidden;` depending on your layout etc.
Another option would be to pass your data directly to datatables without an intermediate HTML table. You can find the respective example in their documentation. | stackexchange-stackoverflow | {
"answer_score": 0,
"question_score": 2,
"tags": "javascript, datatables, styling"
} |
MEF with extra DLLs
I have an Outlook plugin created that uses MEF to load extensions. The extensions are all created as C# class libraries. When the Outlook plugin starts, it copies all the plugin DLLs from a network directory to the local computer and then loads them via MEF.
For one of them, I'm using the MySql.Data.dll library. That dll is copied to the same directory where I place the DLL's which MEF loads in, but that one isn't working. The end user gets an exception saying it can't find that MySql dll.
What's the trick to placing extra DLLs that are needed by a class library included via an MEF import? | I haven't used MEF in a project but I have had to roll my own plug-in architecture on a couple of occassions. Something you can try is hooking in to the `AppDomain.AssemblyResolve` event. I don't know how useful the example is on that page but you could examine the assembly name in the event args and attempt to load that assembly from the same folder you are loading the plug-ins from. | stackexchange-stackoverflow | {
"answer_score": 0,
"question_score": 0,
"tags": "c#, .net, plugins, mef"
} |
Varying size list
My problem is I have a bunch of 'objects'. These objects can have a list of words of up to 3 words and can also have none. For mysql I already have a row per each object and im trying to figure out how to incorporate the words. Here are my approaches:
1: i have 3 extra columns for each word. This though leaves empty, redudant cells when there aren't 3 words.
2: have 1 column with each word seperated by a space in that column. This leaves a redundant cell when there are no words and also requires extra processing
3: make another table to hold the words with a reference number that refers it to it's corresponding object. This requires an extra query but in my opinion has the lowest redundancy.
Advice? | I would always go for #3 using an extra table. This ensures in the future if you need to do any "Word" search using SQL across all objects or change the structure to add more words or reduce words then there wont be any hiccups. Additionally, these additional queries are normally very less burden for a RDBMS server. Also, all the other options will also require some sort of processing from PHP (assuming it is the coding language) which will also consume some CPU cycles. But since #3 will scale well in the future, I shall prefer to go with #3. | stackexchange-stackoverflow | {
"answer_score": 0,
"question_score": 0,
"tags": "mysql, list, optimization, redundancy"
} |
When to use UIWebView vs layout cocoa components?
When to use UIWebView other than supporting Rich Text? | If you want to be able to update your layout without going through the apple store, you can use local html but update it occasionally from your server.
If you need to be able to run javascript, you can use a UIWebView.
If you simply prefer html to interface builder or programmatic layout.
UIWebView also supports a few file formats besides html, like doc and ppt, but that might fall under the heading of rich text. | stackexchange-stackoverflow | {
"answer_score": 1,
"question_score": 0,
"tags": "iphone, uiwebview"
} |
passing null value to textbox which has decimal number
passing null value to textbox which has decimal number
cmd.Parameters.Add(new SqlParameter("@P", SqlDbType.Decimal)).Value = decimal.Parse(TB_P.Text == null ? DBNull.Value : (object)TB_P.Text);//decimal.Parse(TB_P.Text);//
> The best overloaded method match for 'decimal.Parse(string)' has some invalid arguments | You can write your test in this way
decimal.TryParse(TB_P.Text, out decimal result);
cmd.Parameters.Add("@P", SqlDbType.Decimal).Value = (result == 0 ? (object)DBNull.Value : result);
but if 0 is a valid value to write then you need to be more verbose
object value;
if (!decimal.TryParse(TB_P.Text, out decimal result))
value = DBNull.Value;
else
value = result;
cmd.Parameters.Add("@P", SqlDbType.Decimal).Value = value;
Also note that a TextBox.Text property is never null. It could be an empty string but not a null value as easily demonstrable with
TB_P.Text = null;
Console.WriteLine(TB_P.Text == null ? "Is null" : "Is not null"); | stackexchange-stackoverflow | {
"answer_score": 1,
"question_score": 1,
"tags": "c#, visual studio 2013, sql server 2008 r2, .net 4.0"
} |
Close box click outside of it
I got a code from web. I click on text > opens a box.
I want to close the box when I click outside of box.
This is my javascript code:
function setVisibility(id, visibility) {
document.getElementById(id).style.display = visibility;
}
This is my HTML code:
<div value='Show Layer' onclick="setVisibility('sub2', 'inline');">
<span>SHOW BOX</span>
</div>
<div id="sub2">
<p>This is a test for box.</p>
<button value='Hide Layer' onclick="setVisibility('sub2', 'none');" ;>Click to close box</a>
</div>
This is my CSS code:
#sub2 { width: 500px; color: black; display: none; background:#eeeeee; display: none; /* Hidden by default */ position: fixed; /* Stay in place */ z-index: 1; overflow: auto; / }
#sub2 h5 { font-family: 'Varela Round', sans-serif; font-size:20px; } | use the onfocusout handler of JavaScript
**Example:**
<script>
document.getElementById("BOXID").addEventListener("focusout", myFunction);
function myFunction() {
document.getElementById("BOXID").style.visibility='hidden';
}
</script>
> NOTE: Replace BOXID with the id of the box u want to close
See also : Tutorial: onfocusout Event | stackexchange-stackoverflow | {
"answer_score": 0,
"question_score": 0,
"tags": "javascript, html, css"
} |
How can I get information about the artists if it was changed after certain date?
I can get the artists that were added after 2014-10
[{
"type": "/music/artist",
"id": null,
"name": null,
"timestamp": null,
"timestamp>=": "2014-10"
}]
But how can I choose those ones who were added before but information about them has been changed since 2014-10? | You can use the reflection capabilities to query the creation date of individual links. See the Links, Reflection, and History section of the MQL manual. | stackexchange-stackoverflow | {
"answer_score": 0,
"question_score": 0,
"tags": "freebase, mql"
} |
CSS grid/CSS flexbox doesn't render when I put it on my hosting server
I'm trying to get my very first website up and live, please forgive me for being very new. I've managed to upload it to my web host through the FTP server. The problem lies in visiting the site. When you visit my website < any flexbox or CSS grid I've used doesn't show. When I open the HTML page on my local PC site it's working the way I want. My index page is supposed to be a flex container with two children using flexbox. On the portfolio page, it displays images one after another when I'm using the CSS grid to display a `3 1` fr box. Any help is greatly appreciated. | So from what I can see, your website is in a grid. If you can't see it correctly on your computer, try clearing your cache in your preferred browser to see if that solves your issue. | stackexchange-stackoverflow | {
"answer_score": 0,
"question_score": 0,
"tags": "html, css, debugging, flexbox, web hosting"
} |
Corda contract verification called during CollectSignatureFlow and FinalityFlow
As per corda documentaion and my understanding contract verification called at time of transactionBuilder. For R&D I put logger on contract verification function. One thing observed that contract verification called at time of transactionBuilder also in collectSignature and in finalityflow also.
In collectSignatureFlow called 3 times and Finality flow also called 3 times.
Current setup have 2 nodes one notary in non-validating mode.
My question is that in collectSignatureFlow verify called on diffrent nodes and if yes does notary called verify function too. Same question is with finality flow. | `CollectSignaturesFlow`, called by the node gathering the signatures, calls `verify`. `SignTransactionFlow`, the responder flow called by the nodes adding their signatures, also calls `verify` before signing.
`FinalityFlow` calls `verify`. `NotaryServiceFlow`, the flow run by the notary in response to `FinalityFlow`, should call `verify` if the notary is validating (in fact, this is the definition of a validating notary). And finally, `ReceiveTransactionFlow`, the flow run by the transaction's participants in response to `FinalityFlow`, calls `verify` before storing the transaction. | stackexchange-stackoverflow | {
"answer_score": 1,
"question_score": 0,
"tags": "corda"
} |
(Delphi) Is it possible to change a label to whats in a .html file?
Is it possible to change a Label caption to what is in a `.html` file? Lets say the `.html` file contains `1.0` in it. Can I make the Label retrieve that and change its `Caption` to that value?
Eg. `lbl1.caption :=
Is it possible to do this? | `TLabel` cannot load content for you, whether that is from a file or a remote URL. You have to write your own code to retrieve the content yourself, and then you can assign it to the `TLabel`. For example:
// using the Indy TIdHTTP component...
lbl1.Caption := IdHTTP1.Get(' | stackexchange-stackoverflow | {
"answer_score": 4,
"question_score": 1,
"tags": "html, delphi, delphi xe7"
} |
Testing VPN from same network I want to VPN into
This is a general question. I'm building a VPN for my work network on a Juniper SRX firewall, and I need to troubleshoot it.
Right now, I have to walk to a cafe or library to test it and then go back into my office to change the configuration. This is very inefficient. In addition, I can't use any of the VPN session monitoring tools on my firewall since I'm never in the office while I am testing VPN.
My VPN policy is Untrust-to-Trust only. If I set up a Trust-to-Trust policy for it, will that introduce (or take way) variables I need to pay attention to in the troubleshooting process?
Is there a convenient and secure way to test VPN from an Untrusted network while I am on my work network? (e.g. use a proxy server or a commercial VPN like Private Internet Access)?
Do you have any recommendations on how to best do this?
Thank you for reading. | You could use a smart phone as a WIFI access point... connect a laptop to it to do all your testing while sitting right at your desk in your office. | stackexchange-serverfault | {
"answer_score": 3,
"question_score": 2,
"tags": "vpn, troubleshooting, juniper, srx"
} |
Excluding object properties in Laravel nested relationships
is there a way, to exclude some properties from a related model in laravel?
My controller method looks like this:
public function index()
{
return QuizQuestionGroup::inRandomOrder()
->with('questions.answers')
->first();
}
Every QuizQuestionGroup has some questions and then every question has some answers.
Every answer contains these properties: id, text, correct, timestamps.
How would I exclude the 'correct' property from every answer?
I know that this can be done with joins, but is there a more Laravel way to do it? | As suggested by OMR, `select` only the columns that you need
return QuizQuestionGroup::inRandomOrder()
->with('questions:id,title', 'questions.answers:id,question_id,text')
->first(); | stackexchange-stackoverflow | {
"answer_score": 0,
"question_score": 0,
"tags": "laravel"
} |
Two databases merging into Solr - How to keep uniqueID for entries?
I have two databases (unfortunatly they do have to be separate) which get imported into Solr.
Each database has a primary key for each time but I am concerned that when it comes to importing the two into SOLR there will be more than one item with the same ID (one from each DB).
Therefore, in order to keep two seperate databases with two different uniqueIDs, I was wondering what kind of options I have.
Should I append a letter to the primary key of one DB. Is this even possible? | If you want to ensure you do not have an ID conflict you can create a new id which will act as Unique key for Solr.
The DIH sqls can be configured as :-
e.g.
SELECT 'TABLE1' || ID AS PRIMARY_ID ... FROM TABLE1
SELECT 'TABLE2' || ID AS PRIMARY_ID ... FROM TABLE2
In Solr the unique key would be PRIMARY_ID instead of the table ID.
This will ensure you will always have a unique key even if the table's Id conflict. | stackexchange-stackoverflow | {
"answer_score": 0,
"question_score": 0,
"tags": "sql, database, postgresql, solr"
} |
Is there a way to update conda and bioconductor packages in a yaml at once?
I've a .yaml file looking somewhat like the one below. Is there a way to update all of the packages at once without having to check everything manually (like looking what package is compatible with another version of a package)?
- conda-forge
- bioconda
- defaults
dependencies:
- r-base =3.4.1
- bioconductor-annotationdbi =1.40.0
- bioconductor-biobase =2.38.0
- bioconductor-biocgenerics =0.24.0
- bioconductor-biocparallel =1.12.0
just much bigger like 30+ packages | You can do
conda activate myenv
conda update --all
conda env export > environment.yml
Or in one line (I haven't tested it):
conda env update --name myenv --file environment.yml
This does require you to have installed the environment already. | stackexchange-stackoverflow | {
"answer_score": 1,
"question_score": 0,
"tags": "yaml, conda, snakemake"
} |
left to right evaluation of statements inside of a for loop separated by comma
Are these both codes same? These statements inside of for loop are written in same line separated by comma. Will they be evaluated for left to right?
Also i wanted to ask can i use as many as statements inside of for loop separated by comma. Like for(i=0, j=0, k=0; .......) ?
for(i=0, j= strlen(s)-1; i<j; i++, j--){
c=s[i];
s[i]=s[j];
s[j]=c;
}
and
for(i=0, j= strlen(s)-1; i<j; i++, j--)
c=s[i],s[i]=s[j],s[j]=c; | The C comma operator evaluates each of the two operands, discarding the result of the first and returning the second. With more than one comma, the operator is left associative so the effect is an evaluation from left to right.
Your second example will thus do the same thing as your first example. However it is poor style because there is no _reason_ to use the comma operator, unlike `i=0, j-strlen(s)-1` within the body of the `for` statement, where a semicolon could not have been used. | stackexchange-stackoverflow | {
"answer_score": 6,
"question_score": 3,
"tags": "c, for loop, comma operator"
} |
SQL Server 2012 Express connection to MS Access 2010
I'm a newby with SQL. I am trying to connect sql server 2012 express (local) to a project on ms acces 2010 using the wizard but it is giving me this error.
Connection failed: SQL State:'01000' SWL Server Error: 2 [Microsoft][ODBC SQL Server Driver][Shared Memory]ConnectionOpen(connect()). Connection failed: SQL State:'08001' SQL Server Error:17 [Microsoft][ODBC SQL Server Driver][Shared Memory]SQL Server does not exist or access denied.
I'm wondering if somebody can give me a hand on these please. Many thanks in advance.
OS: windows 7 (32 bit)
Jhun | By default, SQL Server Express installs itself as a SQL Server _instance_ named `SQLEXPRESS`. In those cases when specifying the SQL Server for the ODBC DSN you need to use `(local)\SQLEXPRESS`, not just `(local)`.
Example: After selecting `External Data` > `ODBC Database` from the Access ribbon you choose "New" on the Select Data Source dialog
!SelectDataSource.png
After selecting the SQL Server driver if you use the drop-down list and simply select `(local)`...
!local.png
...then the connection will fail. However, if you manually add the `\SQLEXPRESS` _instance name_ then the connection should succeed
!sqlexpress.png | stackexchange-stackoverflow | {
"answer_score": 3,
"question_score": 3,
"tags": "sql server, ms access 2010"
} |
Need to get right javascript syntax with input parameters
I have js line like that `agent.match(/(iphone|ipod|ipad)/)` I need to make match parameters dynamic
So i tried to go like that `agent.match('/(' + param + ')/')` but it is not working. Whatever I put in `param` it is matching.
What I did wrong? And what `/` means? | When you are dynamically generate RegEx strings, its always better to use `RegExp` constructor. `/` is actually to tell JavaScript that you are going to use a Regular Expression literal. But when you put that inside quotes, it becomes a part of the string.
The simplest way to do this is to put them in a list like this
var data = ["iphone", "ipod", "ipad"];
And join them with `|` like this
agent.match(new RegExp("(" + data.join("|") + ")"))
This works because,
data.join("|")
will produce
iphone|ipod|ipad
We can concatenate `(` and `)` with that string to dynamically generate the pattern you wanted. | stackexchange-stackoverflow | {
"answer_score": 2,
"question_score": 1,
"tags": "javascript"
} |
Set arbitrary base of logarithm in gnuplot
I would like to ask how can I set arbitrary base of logarithm in gnuplot (I would need `f(x)=x^{1+9log2(x)}` function to plot). | It seems like there are only builtin functions for the natural `log` and `log10`. But you can easily change the base of the logarithm.
log_b(x) = log_k(x) / log_k(b)
Thus, you can rewrite your formula as
f(x) = x**(1 + 9 * log(x)/log(2)) | stackexchange-stackoverflow | {
"answer_score": 3,
"question_score": 2,
"tags": "gnuplot"
} |
How to get a list of files with errors in PhpStorm
In PhpStorm I get a read mark on the upper right side of the code window if there's a PHP bug in the file. That's great. What I like to have is a list of all files which have this read mark.
Any ideas? | To get the list of all files with errors and warnings use `Code` | **Inspect Code**. It's possible to specify what inspection profile to use, which directories to scan. Custom **Scope** provides a flexible way to include/exclude certain directories or files from the inspection results. | stackexchange-stackoverflow | {
"answer_score": 74,
"question_score": 42,
"tags": "phpstorm"
} |
Find the range of $f(x)= \frac{x}{(1+x^2)}$.
$f(x) = \frac{x}{(1+x^2)}$
I need to find the range of function.
My method-
Let $f(x)=y$
Then $x²y-x+y=0$
$$x=1\pm\frac{\sqrt{(1-4y²)}}{2y}$$
For $x$ to be real ,
$1-4y^2\ge0$ **and** $y\neq 0$
$(2y+1)(2y-1)\ge0$ **and** $y\neq0$
Hence $y \in [-1/2,1/2] -\\{0\\}$
So far so good.
But if I put $0$ in the function,
Then $f(0)= 0/1+0 =0$
While my solution says that $y$ cannot be zero.
Where am I going wrong? | When you have a second degree equation $ax^2+bx+c=0$ in order to use the formula $$ x = \frac{{ - b \pm \sqrt {b^2 - 4ac} }} {{2a}} $$ it must be $a \neq 0$. As $a=0$ your equation turn to be $bx+c=0$ which get of course $x=-c/b$ (as long as $b\neq 0$). In your case, you have that, if $y=0$ your equation is $0x^2+x+0=0$ so $x=0$. | stackexchange-math | {
"answer_score": 1,
"question_score": 0,
"tags": "algebra precalculus, functions"
} |
Which are files and changes for creating a ListTemplate in SharePoint 2010?
I want to create a ListTemplate in sharepoint 2010.I have done the following changes to element.xml
<ListTemplate
Name="doclib"
Type="1116"
BaseType="1"
OnQuickLaunch="FALSE"
SecurityBits="11"
Sequence="110"
DisplayName="Sample"
Description="Library to store data."
Image="/_layouts/images/itdl.png"
NewPage= "SL/Pages/XSLnew.aspx"
Category="Libraries"
DocumentTemplate="101"/>
Is there any other files and changes i have to consider?Please help | You have created the list Element Template , but you still have to deploy it as a feature.
This Blog entry should help you out. | stackexchange-sharepoint | {
"answer_score": 0,
"question_score": 0,
"tags": "development"
} |
MEA cancelled flight due to coronavirus
I bought 2 tickets from Switzerland to Lebanon and back for this June. I bought the tickets with the Middle Eastern Airlines. Unfortunately, both flights were cancelled in April and no reason was given. I guess it probably had to do with the COVID-19 situation.
I contacted twice MEA about a possible refund but they have not responded yet.
Am I entitled to a refund? Or they can argue that the COVID-19 situation is an exceptional circumstance? | Yes, they could argue that COVID-19 is a _exceptional circumstance_. Nevertheless, you are still entitled to a refund but not necessarily to compensation.
MEA's cancellation section says:
> **If your flight, for which you hold a valid reservation, is cancelled, you are entitled to re-routing, care, refund and compensation as laid out here above.** You are not entitled to receive a compensation if the cancellation is attributed to extraordinary circumstances which could not have been avoided, even if all reasonable measures had been taken. Examples include bad weather conditions, political instability, strikes, security, risks, unexpected flight safety shortcomings.
I would say to give it a bit of time, since they probably have many refund requests. Then, you can demand for a refund and try to argue for compensation, but compensation is highly unlikely. | stackexchange-travel | {
"answer_score": 5,
"question_score": 3,
"tags": "air travel, cancellations, covid 19"
} |
Como mudar o valor da chave em um dicionário em Python?
Existem algum método em Python que **altere o nome da chave do dicionário**? eu apenas conheço como mudar o valor.
Exemplo:
RE2 = {
"Nome": "Leon Scott Kennedy",
"Ocupação": "Oficial de Polícia (R.P.D)",
"Nascimento": 1977
}
print (RE2)
Eu queria mudar a chave **Nascimento** para **Data de Nascimento** | Você pode utilizar o `del` para remover apos colocar o valor em uma nova `key` ficando +/- assim:
RE2 = {
"Nome": "Leon Scott Kennedy",
"Ocupação": "Oficial de Polícia (R.P.D)",
"Nascimento": 1977
}
RE2["Data de Nascimento"] = RE2["Nascimento"]
# ^ key nova ^ key antiga
del RE2["Nascimento"]
# ^ delete key antiga
print(RE2)
Exemplo online
* * *
Você também pode utilizar o método `pop` para isso ficando +/- assim:
RE2 = {
"Nome": "Leon Scott Kennedy",
"Ocupação": "Oficial de Polícia (R.P.D)",
"Nascimento": 1977
}
RE2["Data de Nascimento"] = RE2.pop("Nascimento")
# ^ key nova ^ key antiga
print(RE2)
Exemplo online 2 | stackexchange-pt_stackoverflow | {
"answer_score": 7,
"question_score": 4,
"tags": "python"
} |
BASH: Iterate range of numbers in a for cicle
I want to create an array from a list of words. so, i'm using this code:
for i in {1..$count}
do
array[$i]=$(cat file.txt | cut -d',' -f3 | sort -r | uniq | tail -n ${i})
done
but it fails... in `tail -n ${i}`
I already tried `tail -n $i`, `tail -n $(i)` but can't pass tail the value of `i`
Any ideas? | It fails because you cannot use a variable in range directive in shell i.e. `{1..10}` is fine but `{1..$n}` is not.
While using BASH you can use `((...))` operators:
for ((i=1; i<=count; i++)); do
array[$i]=$(cut -d',' -f3 file.txt | sort -r | uniq | tail -n $i)
done
Also note removal of _useless use of cat_ from your command. | stackexchange-stackoverflow | {
"answer_score": 1,
"question_score": 1,
"tags": "bash, shell, variables, for loop, tail"
} |
How to describe the datastore of system in document if using ORM technology
Normally using the traditional Relational database, I would draw a ERD and write field discretion.
When using ORM technology, what is the different in documentation?
How can i describe the data model in document? | You can reverse engineer your domain model (Entities) and generate EAR diagram or class diagram using different type of plugins.
Have a look here where you can see what free uml diagrams there are for Java/Eclipse | stackexchange-stackoverflow | {
"answer_score": 0,
"question_score": -1,
"tags": "java, database, hibernate, orm"
} |
¿Cómo insertar el caracter ℓ en Latex?
No sé que código poner para insertar este tipo de l en Látex. +1)
print(a)
Можно ли настроить функцию random что бы какое-то число выбиралось чаще чем другие? | Сомневаюсь, что такая функция где-либо существует. А в чём проблема свою написать? :D
integer GetRandomNumber() {
integer five_chance = 40;
integer three_chance = 15;
integer result = random(100); // 0-99
if (result <= five_chance)
result = 5;
else {
result = random(100);
if (result <= three_chance)
result = 3;
}
return result;
}
С ходу придумал, но думаю идея подойдёт. В своей проге можешь так сделать:
let rand = GetRandomNumber (); | stackexchange-ru_stackoverflow | {
"answer_score": 2,
"question_score": 1,
"tags": "swift, случайные числа"
} |
How to store an array in session in Perl
I am using Mojolicious Perl framework in my application. I want to store an array in session, but is not successful.
my @returnResult;
$returnResult['fn'] = $decoded->{'fn'};
$returnResult['ln'] = $decoded->{'ln'};
$self->session(returnResult => @returnResult);
Please help. | See _hashes_ in Modern Perl and perldata.
my %return_result;
$returnResult{fn} = $decoded->{fn};
$returnResult{ln} = $decoded->{ln};
or
my %return_result = (
fn => $decoded->{fn},
ln => $decoded->{ln},
);
or simply
#
my %return_result = %$decoded{qw(fn ln)};
You do not get automatic references like in other languages. Use the `\` operator.
$self->session(returnResult => \%return_result); | stackexchange-stackoverflow | {
"answer_score": 1,
"question_score": -2,
"tags": "perl, mojolicious, strawberry perl"
} |
Send stderr to stdout for purposes of grep
This won't work, because all the stdio will go to stderr:
webpack -w --ignore=*.js | grep ignore
so I try this:
webpack -w --ignore=*.js > grep ignore 2>&1
but that will write a file called "grep" to the filesystem lol
how I can I send stderr to stdout so that I can `grep` it in this scenario? | If you want to discard _stdout_ and match the word "ignore" only in _stderr_ you can do this:
webpack -w --ignore=*.js 2>&1 >/dev/null | grep ignore
This clones _stdout_ to _stderr_ and then redirects _stdout_ to `/dev/null`, leaving _stderr_ to write through the pipe. | stackexchange-unix | {
"answer_score": 1,
"question_score": 0,
"tags": "grep, pipe, stdout, stderr"
} |
How to implement partial class in MVC4?
I have a class **Employee.cs** that was autogenerated by EntityFramework when i connected to a database, now i want to implement a **partial class** but I can't use "Employee.cs" name for that class because it already exists. Can I give **other name** to it and it will work? Can you explain how the compiler will know that there is another partial class of Employee.cs? | You can give the file whatever name you want like **Employee.custom.cs** but you have to call the class in it **Employee** in the same namespace as the Employee class in the other file, also with a `partial` modifier, and you should be good to go.
The compiler just gathers all the `partial` classes with the same name and compiles it into one class per name. | stackexchange-stackoverflow | {
"answer_score": 3,
"question_score": 2,
"tags": "c#, asp.net, asp.net mvc 4, partial classes"
} |
Easiest way to reduce power consumption to phone only
Sometimes I'm in a situation where I can't charge and want to have phone service as long as possible. I won't care if nothing else is enabled.
What's the easiest way eliminate as much other power consumption as possible? Minimal apps, no sync, no data, GPS, Bluetooth.
I'm configured to easily turn off all the radios (BT, Wifi, GPS), but I'd like to strip down as much else that burns power as possible without spending a lot of time reconfiguring.
...AND I'd like to be able to return to normal use just as easily (rebooting would be fine for this, too).
In my case, needs to work on CDMA network, too. | See my related answer about battery conservation.
In your case, you want your phone to become a "dumb" phone. Use APNDroid to cut off your data. There's even a widget to make it a one button press. Other than that, keep your screen dim and you should be good to go. | stackexchange-android | {
"answer_score": 4,
"question_score": 8,
"tags": "hardware, battery life"
} |
How to get a value within a dictionary within a dictionary with just a string?
I'm trying to create a function that takes in a dictionary and a string and outputs a value within the Dictionary depending on the string.
For example, inputs would be:
D = {'assigned':{'id':4,'name':'myname'},'anotherkey':{'id':4,'name':'myname'}}
s = "['assigned']['id']"
Result:
4
This can also be achieved with the following, but the issue is that the function will only take a dictionary and a string
print D['assigned']['id']
>> 4 | If you don't want to use `eval()`, you can of course parse out the fields of the string yourself, using regular expressions for instance:
import re
def lookup(d, s):
mo = re.match(r"\['([a-z]+)'\]\['([a-z]+)'\]", s)
if mo and len(mo.groups()) == 2:
return d[mo.group(1)][mo.group(2)]
return None
You can do simpler parsing too since the input is pretty fixed. | stackexchange-stackoverflow | {
"answer_score": 2,
"question_score": 0,
"tags": "python, string, dictionary"
} |
Android TabActivity Back key Event
I tried to go back when pressing back button in tabActivity. previously i did
public boolean onKeyDown(int keyCode, KeyEvent event) {
if (keyCode == KeyEvent.KEYCODE_BACK)
showDialog(DIALOG_REALLY_EXIT_ID);
return true;
}
private void showlist() {
// TODO Auto-generated method stub
}
But this event never called in TabActivity. i dont know how to get back from tabActivity, I am new to android, can anyone give me pls. | You can override onBackPressed() in tab activity ,
For more details or problem you might encounter , check this post,
Key Events in TabActivities? | stackexchange-stackoverflow | {
"answer_score": 1,
"question_score": 0,
"tags": "android"
} |
Python: How to force pandas to sort columns in a dataset?
I have below dataset
df = pd.DataFrame({2002:[None, None, 2, 4, 5],
"Facility":[5, 5, 6, 44, 2],
2003:[None, None, None, 1, 5],
2004 : [ 4,4,3,2,6]})
and I need to sort the columns, in order do so I use the following code
df = df.reindex(sorted(df.columns), axis=1)
however it complains with the following error:
TypeError: '<' not supported between instances of 'str' and 'int'
I know that error appears since one of col names is str type, but how can I solve this problem?
My favorit answer has the sorted columns as below:
'Facility',2002,2003,2004 | You are almost there.
As you already mentioned, your colnames is a combination of String and int therefore the sort is not successful. So, you can do the following to sort the columns
df.columns.astype(str) | stackexchange-stackoverflow | {
"answer_score": 1,
"question_score": 2,
"tags": "python, pandas, sorting, dataset"
} |
label not clickable in jqtouch
With following code I can not click on labels in jqtouch (on iphone simulator and iphone itself):
<ul class="rounded">
<li>
<label for="user_name">Name</label>
<input type="text" name="user_name" id="user_name"/>
</li>
</ul>
It is working well in safari, I have checked this also in demo of jquery-mobile and it is working on iphone simulator, so problem seams to be strictly jqtouch specific. | thanks to @Ivan I found better solution:
$('label[for],input[type="radio"]').bind('click', function(e) {
e.stopPropagation();
});
Additionally it fixes radio buttons.
The only downside is - it stops propagation, but in my case it is ok. | stackexchange-stackoverflow | {
"answer_score": -1,
"question_score": 3,
"tags": "iphone, jquery, ios, jqtouch"
} |
keystore lost Build Failed
hi all hope you're doing well.
I renamed the package name on android studio but not able to renew the lost keystore. code source asks for the old code keystore with an error:
* What went wrong: A problem was found with the configuration of task ':app:packageGplayRelease'.
> No value has been specified for property 'signingConfig.keyAlias'. | It seems that you have to delele and add again the keystore to your project. You can find more information on the following link:
< | stackexchange-stackoverflow | {
"answer_score": 0,
"question_score": 0,
"tags": "build, keystore"
} |
Running a dll in kernel mode
I'm just curious: I have a Windows dll which does some rendering/drawing jobs with openGL and then returns the result to the application.
Would it be faster if the code didn't run in user-mode but in kernel-mode? (no interruptions and higher priority) | Running in kernel mode doesn't get you higher priority, and it doesn't get rid of interruptions. Unless you ask it to, which you can do in user mode too for the most part.
The biggest problem you would face is that openGL is simply not available in kernel mode. It is a user mode API, that talks down into a device driver to implement some of its logic, but a lot of the logic is implemented entirely in user mode. It isn't like there is a syscall for every openGL API.
Even if you could overcome that (which you can't), as Erbureth mentions the security risk would be huge, debugging it would be a nightmare (have you ever used a kernel mode debugger?) and installing it would require admin privileges.
So all in all, no - it isn't possible. | stackexchange-stackoverflow | {
"answer_score": 1,
"question_score": 0,
"tags": "c++, windows, kernel, usermode"
} |
Restore Seed with Password
I am running Electrum 2.3.2. I had 2-factor authentication enabled with Google Authenticator, but then got a new phone. I know the password to the wallet but do not have the 2-factor code anymore. I do not know my seed. Is there a way for me to get access to my coins in this situation?
When looking at the wallet file I do not see a key entry in the text.
Unfortunately I am only seeing how people do this when they have the seed but not the password, which is the opposite of my situation. | The 2FA wallet means there are two distinct sets of private keys, one you hold in your wallet, and one held by a third party. Normally you are authorizing the third party to sign transactions with their private keys on your behalf by giving them a valid 2FA code. In the case of Electrum, the third party is a company named TrustedCoin.
{1,2}\/\w+`
Here's a visualization.
!Regular expression visualization
Try demo here. | stackexchange-stackoverflow | {
"answer_score": 2,
"question_score": 0,
"tags": "regex"
} |
Do libraries compiled with MinGW work with MSVC?
**Problem:
** I would use a MinGW library in Visual Studio project.
**How my system is built:**
I downloaded ZBar library for my Windows 10 system ( zbar-0.23.91-win_x86_64-DShow.zip
This is the link: <
I have these files in the folder of lib and bin:
* libzbar.a
* libzbar.dll.a
* libzbar.la
* libzbar-0.dll
**Error when build:**
error LNK2019: unresolved external symbol __mingw_vsnprintf referenced in snprintf
**My question
** Do libraries compiled with MinGW work with MSVC? | No, libraries compiled on MinGW can't be used with MSVC. The main reasons are:
* Lack of ABI compatibility. That is to say that in binary, the way things can be laid out are different depending on the compiler.
* Difference in how the standard library is implemented. The standard library can be implemented in many ways. The C++ Standard just says how functions should behave and does not force compiler developers to implement them in the same way.
In general, things compiled with one compiler aren't compatible with another compiler. | stackexchange-stackoverflow | {
"answer_score": 6,
"question_score": 6,
"tags": "c++, linker, mingw, zbar"
} |
Codeigniter get key of the row object
I am using codeigniter. I have a query done to the database which returns a object $a.
To access the value of the property of $a i have to do something like
$a->property
Is there any way I can find the name of the property as well? Thanks in advance! | Hope this will help you
$query = $this->db->query('SELECT * FROM some_table');
foreach ($query->list_fields() as $field)
{
echo $field;
}
Or
$fields = $this->db->field_data('table_name');
foreach ($fields as $field)
{
echo $field->name;
echo $field->type;
echo $field->max_length;
echo $field->primary_key;
} | stackexchange-stackoverflow | {
"answer_score": 1,
"question_score": 0,
"tags": "codeigniter"
} |
What is touch event in WPF?
I am just started with WPF. Why there is need to have touch events ? Any Example ........... | You can try running the samples on this blog:
* Introduction to WPF 4 Multitouch
You need a tablet or multi-touch provider to exercise some of these features. You can simulate touch interface with a mouse or multiple mice using this project:
* Multi-Touch Vista | stackexchange-stackoverflow | {
"answer_score": 3,
"question_score": 1,
"tags": "wpf, wpf controls"
} |
displaying fields of selected taxonomy term
I'm trying to create a minimalistic ordering system. No need for a full fledged solution like Commerce or UC in this case.
Orders are represented as nodes (or maybe as custom entities using ECK, have yet to decide). Products are organized into a taxonomy tree. Hierarchy_select module gives the user a super convenient way of selecting the product.
But there is a problem. I need to display some fields of a product term selected by user. Is there a way to tackle it without writing much of custom code? | you need this functions:
* taxonomy_term_load
* taxonomy_term_view
* drupal_render
load term by `taxonomy_term_load`, pass it to `taxonomy_term_view` then render it by `drupal_render` | stackexchange-drupal | {
"answer_score": 2,
"question_score": 2,
"tags": "7, entities, ajax, taxonomy terms"
} |
Show that $H+K$ is a subspace of $V$
I am trying to solve this, please give me hints.
$H,K \in V$, $V$ is a vector space. $H+K=\\{w:w=u+v:u \in H, v \in K \\}$
Show that $H+K$ is a subspace of $V$. | A sufficient condition is that $H$ and $K$ are subspaces of $V$. It suffices to check if we have $aw_{1} + bw_{2} \in H+K$ for all scalars $a,b$ and all $w_{1},w_{2} \in H+K$.
Let $w_{1},w_{2} \in H+K$ and let $a,b$ be scalars. Then $w_{1} = h_{1} + k_{1}$, $w_{2} = h_{2}+k_{2}$ for some $h_{1},h_{2} \in H$ and some $k_{1}, k_{2} \in K$ by definition. Thus $aw_{1} + bw_{2} = ah_{1} + bh_{2} + ak_{1} + bk_{2}$. But $ah_{1}+bh_{2} \in H$ and $ak_{1} + bk_{2} \in K$ by assumption, so by definition we have $aw_{1} + aw_{2} \in H+K$.
Note that if $H,K$ are simply subsets of $V$, then $H+K$ need not be a subspace of $V$; for if $V := \mathbb{R}(\mathbb{R})$, $H:= \\{ 0 \\}$, and $K := \\{1\\}$, then $H+K = \\{ 1 \\}$, which is not a subspace of $V$. | stackexchange-math | {
"answer_score": 1,
"question_score": 1,
"tags": "linear algebra"
} |
Embedding theory for contractible manifolds
What is known about spaces of embeddings of contractible manifolds into Euclidean space? I am also curious about the case of small codimension (or even codimension 0). The same question about the configuration spaces in such manifolds. | (This is by far not a complete answer, just an example.) In dimension 4, a paper of Livingstone (build on previous work of Lickorish) constructs some (compact with boundary) contractible 4-manifold which embeds in $\mathbb R^4$ in infinitely many (countable) distinct ways. These are distinguished by the fundamental group of the complement. | stackexchange-mathoverflow_net_7z | {
"answer_score": 6,
"question_score": 6,
"tags": "gt.geometric topology"
} |
threeparttable \midrule-sized space
I want to add some space between rows of my threeparttable. One way is to add `\midrule`s, but that adds lines which are visually confusing. Is there a `\midspace` command?
Side question: Is `threeparttable` the best table to use in `memoir`? | The `booktabs` package provides `\addlinespace`, which by default adds a space equal to that of `\midrule`.
\documentclass{article}
\usepackage{booktabs}
\begin{document}
\begin{tabular}{cc}
\toprule
letter & number \\
A & 1 \\
B & 2 \\
\midrule
C & 3 \\
\addlinespace% adds \defaultaddspace (by default 5pt)
D & 4 \\
\addlinespace[3pt]
E & 5 \\
\bottomrule
\end{tabular}
\end{document}
!enter image description here
In case you didn't know: The `booktabs` manual is a must read on _"how to build typographic pleasant tables"_ (Sveinung). | stackexchange-tex | {
"answer_score": 4,
"question_score": 2,
"tags": "tables, spacing"
} |
Payara server not boot after a power failure
Payara server not boot after a power failure. how I can fix and save payaradomain, I have many configurations there. domain1 works well.  : .key } ) | add
More robustly:
to_entries | map( {(.value|tostring) : .key } ) | add
Or if you prefer:
with_entries( .key as $k | .key = (.value|tostring) | .value = $k )
Caveat: all these are potentially lossy. | stackexchange-stackoverflow | {
"answer_score": 25,
"question_score": 13,
"tags": "json, key, jq"
} |
Subsets and Splits