Programs & Examples On #Run configuration

Eclipse - java.lang.ClassNotFoundException

Enabling [x] Use temporary JAR to specify classpath (to avoid classpath length limitations) inside the Classpath tab of the Run configuration did the trick for me.

If your project is huge and you have lots of dependencies from other sibling projects and maven dependencies, you might hit the classpath length limitations and this seems to be the only solution (apart from making the directory to you local maven repo shorter (ours already starts at c:/m2)

enter image description here

How can I check if an argument is defined when starting/calling a batch file?

IF "%1"=="" GOTO :Continue
.....
.....
:Continue
IF "%1"=="" echo No Parameter given

How can I get the class name from a C++ object?

Do you want [classname] to be 'one' and [objectname] to be 'A'?

If so, this is not possible. These names are only abstractions for the programmer, and aren't actually used in the binary code that is generated. You could give the class a static variable classname, which you set to 'one' and a normal variable objectname which you would assign either directly, through a method or the constructor. You can then query these methods for the class and object names.

Function to clear the console in R and RStudio

In Ubuntu-Gnome, simply pressing CTRL+L should clear the screen.

This also seems to also work well in Windows 10 and 7 and Mac OS X Sierra.

How can I programmatically generate keypress events in C#?

To produce key events without Windows Forms Context, We can use the following method,

[DllImport("user32.dll")]
public static extern void keybd_event(byte bVk, byte bScan, uint dwFlags, uint dwExtraInfo);

sample code is given below:

const int VK_UP = 0x26; //up key
const int VK_DOWN = 0x28;  //down key
const int VK_LEFT = 0x25;
const int VK_RIGHT = 0x27;
const uint KEYEVENTF_KEYUP = 0x0002;
const uint KEYEVENTF_EXTENDEDKEY = 0x0001;
int press()
{
    //Press the key
    keybd_event((byte)VK_UP, 0, KEYEVENTF_EXTENDEDKEY | 0, 0);
    return 0;
}

List of Virtual Keys are defined here.

To get the complete picture, please use the below link, http://tksinghal.blogspot.in/2011/04/how-to-press-and-hold-keyboard-key.html

Conda uninstall one package and one package only

You can use conda remove --force.

The documentation says:

--force               Forces removal of a package without removing packages
                      that depend on it. Using this option will usually
                      leave your environment in a broken and inconsistent
                      state

How can I add a Google search box to my website?

Figured it out, folks! for the NAME of the text box, you have to use "q". I had "g" just for my own personal preferences. But apparently it has to be "q".

Anyone know why?

Javascript - How to extract filename from a file input control

var path = document.getElementById('upload').value;//take path
var tokens= path.split('\\');//split path
var filename = tokens[tokens.length-1];//take file name

Differences between Octave and MATLAB?

Octave is basically an open source version of MATLAB. It was written to be just that. MATLAB has a very nice GUI which makes it a bit easier to use but the next stable release of OCTAVE will also have a GUI, which I have tested in the unstable release, and looks fantastic. Octave is much more buggy because it was developed and maintained by a group of volunteers, where the development of MATLAB is funded by millions of dollars by industry. I'm still a student and am using a student version of MATLAB, but I am thinking of going over to Octave once the stable version with the GUI is released.

MATLAB is probably a lot more powerful than Octave, and the algorithms run faster, but for most applications, Octave is more than adequate and is, in my opinion' an amazing tool that is completely free, where Octave is completely free.

I would say use MATLAB while you can use the academic version, but the switch to Octave should be seamless as they use the exact same syntax.

Lastly, there is the issue of SIMULINK. If you want to do simulation or control system design (there are probably a million other uses) SIMULINK is fantastic and comes with MATLAB. I don't think any other comes close to this, although Scilab is apparently a 'good' open source alternative, I haven't tried it.

Peace.

T-SQL Substring - Last 3 Characters

declare @newdata varchar(30)
set @newdata='IDS_ENUM_Change_262147_190'
select REVERSE(substring(reverse(@newdata),0,charindex('_',reverse(@newdata))))

=== Explanation ===

I found it easier to read written like this:

SELECT
    REVERSE( --4.
        SUBSTRING( -- 3.
            REVERSE(<field_name>),
            0,
            CHARINDEX( -- 2.
                '<your char of choice>',
                REVERSE(<field_name>) -- 1.
            )
        )
    )
FROM
    <table_name>
  1. Reverse the text
  2. Look for the first occurrence of a specif char (i.e. first occurrence FROM END of text). Gets the index of this char
  3. Looks at the reversed text again. searches from index 0 to index of your char. This gives the string you are looking for, but in reverse
  4. Reversed the reversed string to give you your desired substring

swift How to remove optional String Character

In swift3 you can easily remove optional

if let value = optionalvariable{
 //in value you will get non optional value
}

Get value of c# dynamic property via string

In .Net core 3.1 you can try like this

d?.value2 , d?.value3

Windows batch files: .bat vs .cmd?

.cmd and .bat file execution is different because in a .cmd errorlevel variable it can change on a command that is affected by command extensions. That's about it really.

How to fix 'Unchecked runtime.lastError: The message port closed before a response was received' chrome issue?

I disabled all installed extensions in Chrome - works for me. I have now clear console without errors.

Intercept and override HTTP requests from WebView

An ultimate solution would be to embed a simple http server listening on your 'secret' port on loopback. Then you can substitute the matched image src URL with something like http://localhost:123/.../mypic.jpg

Replacing all non-alphanumeric characters with empty strings

Java's regular expressions don't require you to put a forward-slash (/) or any other delimiter around the regex, as opposed to other languages like Perl, for example.

How to convert Calendar to java.sql.Date in Java?

Use stmt.setDate(1, new java.sql.Date(cal.getTimeInMillis()))

Regex matching in a Bash if statement

Or you might be looking at this question because you happened to make a silly typo like I did and have the =~ reversed to ~=

How to detect if numpy is installed

You can try importing them and then handle the ImportError if the module doesn't exist.

try:
    import numpy
except ImportError:
    print "numpy is not installed"

CSS to keep element at "fixed" position on screen

The easiest way is to use position: fixed:

.element {
  position: fixed;
  bottom: 0;
  right: 0;
}

http://www.w3.org/TR/CSS21/visuren.html#choose-position

(note that position fixed is buggy / doesn't work on ios and android browsers)

How to stretch a fixed number of horizontal navigation items evenly and fully across a specified container

I tried so many different things and finally found what worked best for me was simply adding in padding-right: 28px;

I played around with the padding to get the right amount to evenly space the items.

How to use bootstrap datepicker

Couldn't get bootstrap datepicker to work until I wrap the textbox with position relative element as shown here:

<span style="position: relative">
 <input  type="text" placeholder="click to show datepicker"  id="pickyDate"/>
</span>

C++ string to double conversion

Coversion from string to double can be achieved by using the 'strtod()' function from the library 'stdlib.h'

#include <iostream>
#include <stdlib.h>
int main () 
{
    std::string data="20.9";
    double value = strtod(data.c_str(), NULL);
    std::cout<<value<<'\n';
    return 0;
}

Declaring functions in JSP?

You need to enclose that in <%! %> as follows:

<%!

public String getQuarter(int i){
String quarter;
switch(i){
        case 1: quarter = "Winter";
        break;

        case 2: quarter = "Spring";
        break;

        case 3: quarter = "Summer I";
        break;

        case 4: quarter = "Summer II";
        break;

        case 5: quarter = "Fall";
        break;

        default: quarter = "ERROR";
}

return quarter;
}

%>

You can then invoke the function within scriptlets or expressions:

<%
     out.print(getQuarter(4));
%>

or

<%= getQuarter(17) %>

Java - removing first character of a string

Use the substring() function with an argument of 1 to get the substring from position 1 (after the first character) to the end of the string (leaving the second argument out defaults to the full length of the string).

"Jamaica".substring(1);

Visual Studio C# IntelliSense not automatically displaying

I also faced the same issue but in VS2013.

I did the below way to fix, It was worked fine.

  1. Close all the opened Visual studio instance.

  2. Then, go to "Developer command prompt" from visual studio tools,

  3. Type it as devenv.exe /resetuserdata

  4. Restart the machine, Open the Visual studio then It will ask you to choose the development settings from initial onwards, thereafter open any solution/project. You'll be amazed.

Hope, it might helps you :)

Android Gradle Could not reserve enough space for object heap

in gradle.properties, you can even delete

org.gradle.jvmargs=-Xmx1536m

such lines or comment them out. Let android studio decide for it. When I ran into this same problem, none of above solutions worked for me. Commenting out this line in gradle.properties helped in solving that error.

Get data from fs.readFile

var data = fs.readFileSync('tmp/reltioconfig.json','utf8');

use this for calling a file synchronously, without encoding its showing output as a buffer.

Login failed for user 'IIS APPPOOL\ASP.NET v4.0'

Have you done what @Teddy recommended and you STILL get the same error?

Make sure you're changing the settings for the app pool that corresponds to your virtual directory and not the parent server. Each virtual directory has its own AppPool and doesn't inherit.

How to make "if not true condition"?

Here is an answer by way of example:

In order to make sure data loggers are online a cron script runs every 15 minutes that looks like this:

#!/bin/bash
#
if ! ping -c 1 SOLAR &>/dev/null
then
  echo "SUBJECT:  SOLAR is not responding to ping" | ssmtp [email protected]
  echo "SOLAR is not responding to ping" | ssmtp [email protected]
else
  echo "SOLAR is up"
fi
#
if ! ping -c 1 OUTSIDE &>/dev/null
then
  echo "SUBJECT:  OUTSIDE is not responding to ping" | ssmtp [email protected]
  echo "OUTSIDE is not responding to ping" | ssmtp [email protected]
else
  echo "OUTSIDE is up"
fi
#

...and so on for each data logger that you can see in the montage at http://www.SDsolarBlog.com/montage


FYI, using &>/dev/null redirects all output from the command, including errors, to /dev/null

(The conditional only requires the exit status of the ping command)

Also FYI, note that since cron jobs run as root there is no need to use sudo ping in a cron script.

MySQL update CASE WHEN/THEN/ELSE

If id is sequential starting at 1, the simplest (and quickest) would be:

UPDATE `table` 
SET uid = ELT(id, 2952, 4925, 1592) 
WHERE id IN (1,2,3)

As ELT() returns the Nth element of the list of strings: str1 if N = 1, str2 if N = 2, and so on. Returns NULL if N is less than 1 or greater than the number of arguments.

Clearly, the above code only works if id is 1, 2, or 3. If id was 10, 20, or 30, either of the following would work:

UPDATE `table` 
SET uid = CASE id 
WHEN 10 THEN 2952 
WHEN 20 THEN 4925 
WHEN 30 THEN 1592 END CASE 
WHERE id IN (10, 20, 30)

or the simpler:

UPDATE `table` 
SET uid = ELT(FIELD(id, 10, 20, 30), 2952, 4925, 1592) 
WHERE id IN (10, 20, 30)

As FIELD() returns the index (position) of str in the str1, str2, str3, ... list. Returns 0 if str is not found.

How do I add 24 hours to a unix timestamp in php?

$time = date("H:i", strtotime($today . " +5 hours +30 minutes"));
//+5 hours +30 minutes     Time Zone +5:30 (Asia/Kolkata)

SQL Server - INNER JOIN WITH DISTINCT

You can use CTE to get the distinct values of the second table, and then join that with the first table. You also need to get the distinct values based on LastName column. You do this with a Row_Number() partitioned by the LastName, and sorted by the FirstName.

Here's the code

;WITH SecondTableWithDistinctLastName AS
(
        SELECT  *
        FROM    (
                    SELECT  *,
                            ROW_NUMBER() OVER (PARTITION BY LastName ORDER BY FirstName) AS [Rank]
                    FROM    AddTbl
                )   
        AS      tableWithRank
        WHERE   tableWithRank.[Rank] = 1
) 
SELECT          a.FirstName, a.LastName, S.District
FROM            SecondTableWithDistinctLastName AS S
INNER JOIN      AddTbl AS a
    ON          a.LastName = S.LastName
ORDER   BY      a.FirstName

Language Books/Tutorials for popular languages

Common Lisp

I would add "Practical Common Lisp", by Peter Seibel to the lisp list. It is particularly good at providing examples (MP3 parsing, shoutcast server, HTML compiler) that are topical.

http://gigamonkeys.com/book/

How do I remove carriage returns with Ruby?

Use String#strip

Returns a copy of str with leading and trailing whitespace removed.

e.g

"    hello    ".strip   #=> "hello"   
"\tgoodbye\r\n".strip   #=> "goodbye"

Using gsub

string = string.gsub(/\r/," ")
string = string.gsub(/\n/," ")

"You may need an appropriate loader to handle this file type" with Webpack and Babel

When using Typescript:

In my case I used the newer syntax of webpack v3.11 from their documentation page I just copied the css and style loaders configuration form their website. The commented out code (newer API) causes this error, see below.

  module: {
        loaders: [{
                test: /\.ts$/,
                loaders: ['ts-loader']
            },
            {
                test: /\.css$/,
                loaders: [
                    'style-loader',
                    'css-loader'
                ]
            }
        ]
        // ,
        // rules: [{
        //     test: /\.css$/,
        //     use: [
        //         'style-loader',
        //         'css-loader'
        //     ]
        // }]
    }

The right way is to put this:

    {
        test: /\.css$/,
        loaders: [
            'style-loader',
            'css-loader'
        ]
    }

in the array of the loaders property.

jQuery attr('onclick')

As @Richard pointed out above, the onClick needs to have a capital 'C'.

$('#stop').click(function() {
     $('next').attr('onClick','stopMoving()');
}

How many files can I put in a directory?

The question comes down to what you're going to do with the files.

Under Windows, any directory with more than 2k files tends to open slowly for me in Explorer. If they're all image files, more than 1k tend to open very slowly in thumbnail view.

At one time, the system-imposed limit was 32,767. It's higher now, but even that is way too many files to handle at one time under most circumstances.

jQuery Mobile: Stick footer to bottom of page

http://ryanfait.com/sticky-footer/

You could possibly use this and use jQuery to update the css height of the elements to make sure it stays in place.

Received fatal alert: handshake_failure through SSLHandshakeException

Installing Java Cryptography Extension (JCE) Unlimited Strength (for JDK7 | for JDK8) might fix this bug. Unzip the file and follow the readme to install it.

jQuery Get Selected Option From Dropdown

If you want to grab the 'value' attribute instead of the text node, this will work for you:

var conceptName = $('#aioConceptName').find(":selected").attr('value');

Regex to check if valid URL that ends in .jpg, .png, or .gif

In general, you're better off validating URLs using built-in library or framework functions, rather than rolling your own regular expressions to do this - see What is the best regular expression to check if a string is a valid URL for details.

If you are keen on doing this, though, check out this question:

Getting parts of a URL (Regex)

Then, once you're satisfied with the URL (by whatever means you used to validate it), you could either use a simple "endswith" type string operator to check the extension, or a simple regex like

(?i)\.(jpg|png|gif)$

How to trigger the onclick event of a marker on a Google Maps V3?

I've found out the solution! Thanks to Firebug ;)

//"markers" is an array that I declared which contains all the marker of the map
//"i" is the index of the marker in the array that I want to trigger the OnClick event

//V2 version is:
GEvent.trigger(markers[i], 'click');

//V3 version is:
google.maps.event.trigger(markers[i], 'click');

nodejs send html file to client

you can render the page in express more easily


 var app   = require('express')();    
    app.set('views', path.join(__dirname, 'views'));
    app.set('view engine', 'jade');
 
    app.get('/signup',function(req,res){      
    res.sendFile(path.join(__dirname,'/signup.html'));
    });

so if u request like http://127.0.0.1:8080/signup that it will render signup.html page under views folder.

MySQL LEFT JOIN Multiple Conditions

SELECT * FROM a WHERE a.group_id IN 
(SELECT group_id FROM b WHERE b.user_id!=$_SESSION{'[user_id']} AND b.group_id = a.group_id)
WHERE a.keyword LIKE '%".$keyword."%';

How can I check if my Element ID has focus?

Write below code in script and also add jQuery library

var getElement = document.getElementById('myID');

if (document.activeElement === getElement) {
        $(document).keydown(function(event) {
            if (event.which === 40) {
                console.log('keydown pressed')
            }
        });
    }

Thank you...

How to get a view table query (code) in SQL Server 2008 Management Studio

right-click the view in the object-explorer, select "script view as...", then "create to" and then "new query editor window"

How to format a Java string with leading zero?

public class PaddingLeft {
    public static void main(String[] args) {
        String input = "Apple";
        String result = "00000000" + input;
        int length = result.length();
        result = result.substring(length - 8, length);
        System.out.println(result);
    }
}

LD_LIBRARY_PATH vs LIBRARY_PATH

LIBRARY_PATH is used by gcc before compilation to search directories containing static and shared libraries that need to be linked to your program.

LD_LIBRARY_PATH is used by your program to search directories containing shared libraries after it has been successfully compiled and linked.

EDIT: As pointed below, your libraries can be static or shared. If it is static then the code is copied over into your program and you don't need to search for the library after your program is compiled and linked. If your library is shared then it needs to be dynamically linked to your program and that's when LD_LIBRARY_PATH comes into play.

PHP foreach loop through multidimensional array

<?php
$php_multi_array = array("lang"=>"PHP", "type"=>array("c_type"=>"MULTI", "p_type"=>"ARRAY"));

//Iterate through an array declared above

foreach($php_multi_array as $key => $value)
{
    if (!is_array($value))
    {
        echo $key ." => ". $value ."\r\n" ;
    }
    else
    {
       echo $key ." => array( \r\n";

       foreach ($value as $key2 => $value2)
       {
           echo "\t". $key2 ." => ". $value2 ."\r\n";
       }

       echo ")";
    }
}
?>

OUTPUT:

lang => PHP
type => array( 
    c_type => MULTI
    p_type => ARRAY
)

Reference Source Code

Get Client Machine Name in PHP

PHP Manual says:

gethostname (PHP >= 5.3.0) gethostname — Gets the host name

Look:

<?php
echo gethostname(); // may output e.g,: sandie
// Or, an option that also works before PHP 5.3
echo php_uname('n'); // may output e.g,: sandie
?>

http://php.net/manual/en/function.gethostname.php

Enjoy

Multiple Where clauses in Lambda expressions

Can be

x => x.Lists.Include(l => l.Title)
     .Where(l => l.Title != String.Empty && l.InternalName != String.Empty)

or

x => x.Lists.Include(l => l.Title)
     .Where(l => l.Title != String.Empty)
     .Where(l => l.InternalName != String.Empty)

When you are looking at Where implementation, you can see it accepts a Func(T, bool); that means:

  • T is your IEnumerable type
  • bool means it needs to return a boolean value

So, when you do

.Where(l => l.InternalName != String.Empty)
//     ^                   ^---------- boolean part
//     |------------------------------ "T" part

JPA getSingleResult() or null

So all of the "try to rewrite without an exception" solution in this page has a minor problem. Either its not throwing NonUnique exception, nor throw it in some wrong cases too (see below).

I think the proper solution is (maybe) this:

public static <L> L getSingleResultOrNull(TypedQuery<L> query) {
    List<L> results = query.getResultList();
    L foundEntity = null;
    if(!results.isEmpty()) {
        foundEntity = results.get(0);
    }
    if(results.size() > 1) {
        for(L result : results) {
            if(result != foundEntity) {
                throw new NonUniqueResultException();
            }
        }
    }
    return foundEntity;
}

Its returning with null if there is 0 element in the list, returning nonunique if there are different elements in the list, but not returning nonunique when one of your select is not properly designed and returns the same object more then one times.

Feel free to comment.

Typescript: React event types

To combine both Nitzan's and Edwin's answers, I found that something like this works for me:

update = (e: React.FormEvent<EventTarget>): void => {
    let target = e.target as HTMLInputElement;
    this.props.login[target.name] = target.value;
}

C# Version Of SQL LIKE

Use it like this:

if (lbl.Text.StartWith("hr")==true ) {…}

How to upload a file to directory in S3 bucket using boto

This is a three liner. Just follow the instructions on the boto3 documentation.

import boto3
s3 = boto3.resource(service_name = 's3')
s3.meta.client.upload_file(Filename = 'C:/foo/bar/baz.filetype', Bucket = 'yourbucketname', Key = 'baz.filetype')

Some important arguments are:

Parameters:

  • Filename (str) -- The path to the file to upload.
  • Bucket (str) -- The name of the bucket to upload to.
  • Key (str) -- The name of the that you want to assign to your file in your s3 bucket. This could be the same as the name of the file or a different name of your choice but the filetype should remain the same.

    Note: I assume that you have saved your credentials in a ~\.aws folder as suggested in the best configuration practices in the boto3 documentation.

  • How to get the innerHTML of selectable jquery element?

    The parameter ui has a property called selected which is a reference to the selected dom element, you can call innerHTML on that element.

    Your code $('.ui-selected').innerHTML tries to return the innerHTML property of a jQuery wrapper element for a dom element with class ui-selected

    $(function () {
        $("#select-image").selectable({
            selected: function (event, ui) {
                var $variable = ui.selected.innerHTML; // or $(ui.selected).html()
                console.log($variable);
            }
        });
    });
    

    Demo: Fiddle

    How to delete a record by id in Flask-SQLAlchemy

    Another possible solution specially if you want batch delete

    deleted_objects = User.__table__.delete().where(User.id.in_([1, 2, 3]))
    session.execute(deleted_objects)
    session.commit()
    

    TimePicker Dialog from clicking EditText

    In all of the above, the EditText still needs the focusable="false" attribute in the xml in order to prevent the keyboard from popping up.

    Is it possible to get all arguments of a function as single object inside that function?

    As many other pointed out, arguments contains all the arguments passed to a function.

    If you want to call another function with the same args, use apply

    Example:

    var is_debug = true;
    var debug = function() {
      if (is_debug) {
        console.log.apply(console, arguments);
      }
    }
    
    debug("message", "another argument")
    

    WAMP 403 Forbidden message on Windows 7

    There could many causes to this problems

    What I have experienced are:
    1) 127.0.0.1 localhost entry was duplicated in hosts file
    2) Apache mod_rewrite was not enabled

    Regardless of the cause, backing up your www folder, vhost configuration file (and httpd configuration file) will help. And such process takes a few minutes.

    Good luck

    Import data into Google Colaboratory

    If the Data-set size is less the 25mb, The easiest way to upload a CSV file is from your GitHub repository.

    1. Click on the data set in the repository
    2. Click on View Raw button
    3. Copy the link and store it in a variable
    4. load the variable into Pandas read_csv to get the dataframe

    Example:

    import pandas as pd
    url = 'copied_raw_data_link'
    df1 = pd.read_csv(url)
    df1.head()
    

    ImportError: No module named 'bottle' - PyCharm

    In some cases no "No module ..." can appear even on local files. In such cases you just need to mark appropriate directories as "source directories":

    Mark as source lib directory

    jQuery UI Dialog with ASP.NET button postback

    You are close to the solution, just getting the wrong object. It should be like this:

    jQuery(function() {
        var dlg = jQuery("#dialog").dialog({
                             draggable: true,
                             resizable: true,
                             show: 'Transfer',
                             hide: 'Transfer',
                             width: 320,
                             autoOpen: false,
                             minHeight: 10,
                             minwidth: 10
                         });
        dlg.parent().appendTo(jQuery("form:first"));
    });
    

    What characters can be used for up/down triangle (arrow without stem) for display in HTML?

    Here is another one - ? - Unicode U+141E / CANADIAN SYLLABICS GLOTTAL STOP

    Django - taking values from POST request

    Read about request objects that your views receive: https://docs.djangoproject.com/en/dev/ref/request-response/#httprequest-objects

    Also your hidden field needs a reliable name and then a value:

    <input type="hidden" name="title" value="{{ source.title }}">
    

    Then in a view:

    request.POST.get("title", "")
    

    Can you use a trailing comma in a JSON object?

    With Relaxed JSON, you can have trailing commas, or just leave the commas out. They are optional.

    There is no reason at all commas need to be present to parse a JSON-like document.

    Take a look at the Relaxed JSON spec and you will see how 'noisy' the original JSON spec is. Way too many commas and quotes...

    http://www.relaxedjson.org

    You can also try out your example using this online RJSON parser and see it get parsed correctly.

    http://www.relaxedjson.org/docs/converter.html?source=%5B0%2C1%2C2%2C3%2C4%2C5%2C%5D

    Can I change the name of `nohup.out`?

    For some reason, the above answer did not work for me; I did not return to the command prompt after running it as I expected with the trailing &. Instead, I simply tried with

    nohup some_command > nohup2.out&
    

    and it works just as I want it to. Leaving this here in case someone else is in the same situation. Running Bash 4.3.8 for reference.

    Apache: client denied by server configuration

    OK I am using the wrong syntax, I should be using

    Allow from 127.0.0.1
    Allow from ::1
    ...
    

    How to get the hostname of the docker host from inside a docker container on that host without env vars

    You can pass in the hostname as an environment variable. You could also mount /etc so you can cat /etc/hostname. But I agree with Vitaly, this isn't the intended use case for containers IMO.

    How do I clear the previous text field value after submitting the form with out refreshing the entire page?

    try this:

    Using jQuery:

    You can reset the entire form with:

    $("#myform")[0].reset();
    

    Or just the specific field with:

    $('#form-id').children('input').val('')
    

    Using JavaScript Without jQuery

    <input type="button" value="Submit" id="btnsubmit" onclick="submitForm()">
    
    function submitForm() {
       // Get the first form with the name
       // Hopefully there is only one, but there are more, select the correct index
       var frm = document.getElementsByName('contact-form')[0];
       frm.submit(); // Submit
       frm.reset();  // Reset
       return false; // Prevent page refresh
    }
    

    Unable to start Service Intent

    1) check if service declaration in manifest is nested in application tag

    <application>
        <service android:name="" />
    </application>
    

    2) check if your service.java is in the same package or diff package as the activity

    <application>
        <!-- service.java exists in diff package -->
        <service android:name="com.package.helper.service" /> 
    </application>
    
    <application>
        <!-- service.java exists in same package -->
        <service android:name=".service" /> 
    </application>
    

    Generating a drop down list of timezones with PHP

    I wanted to have something simpler for my users, the way Google does it..

    $timezones = [
        "AF" => [
            "name" => "Afghanistan" 
        ],
        "AL" => [
            "name" => "Albania" 
        ],
        "DZ" => [
            "name" => "Algeria" 
        ],
        "AS" => [
            "name" => "American Samoa" 
        ],
        "AD" => [
            "name" => "Andorra" 
        ],
        "AQ" => [
            "name" => "Antarctica" 
        ],
        "AG" => [
            "name" => "Antigua & Barbuda" 
        ],
        "AR" => [
            "name" => "Argentina" 
        ],
        "AM" => [
            "name" => "Armenia" 
        ],
        "AU" => [
            "name" => "Australia" 
        ],
        "AT" => [
            "name" => "Austria" 
        ],
        "AZ" => [
            "name" => "Azerbaijan" 
        ],
        "BS" => [
            "name" => "Bahamas" 
        ],
        "BD" => [
            "name" => "Bangladesh" 
        ],
        "BB" => [
            "name" => "Barbados" 
        ],
        "BY" => [
            "name" => "Belarus" 
        ],
        "BE" => [
            "name" => "Belgium" 
        ],
        "BZ" => [
            "name" => "Belize" 
        ],
        "BM" => [
            "name" => "Bermuda" 
        ],
        "BT" => [
            "name" => "Bhutan" 
        ],
        "BO" => [
            "name" => "Bolivia" 
        ],
        "BA" => [
            "name" => "Bosnia & Herzegovina" 
        ],
        "BR" => [
            "name" => "Brazil" 
        ],
        "IO" => [
            "name" => "British Indian Ocean Territory" 
        ],
        "BN" => [
            "name" => "Brunei" 
        ],
        "BG" => [
            "name" => "Bulgaria" 
        ],
        "CA" => [
            "name" => "Canada" 
        ],
        "CV" => [
            "name" => "Cape Verde" 
        ],
        "KY" => [
            "name" => "Cayman Islands" 
        ],
        "TD" => [
            "name" => "Chad" 
        ],
        "CL" => [
            "name" => "Chile" 
        ],
        "CN" => [
            "name" => "China" 
        ],
        "CX" => [
            "name" => "Christmas Island" 
        ],
        "CC" => [
            "name" => "Cocos (Keeling) Islands" 
        ],
        "CO" => [
            "name" => "Colombia" 
        ],
        "CK" => [
            "name" => "Cook Islands" 
        ],
        "CR" => [
            "name" => "Costa Rica" 
        ],
        "CI" => [
            "name" => "Côte d’Ivoire" 
        ],
        "HR" => [
            "name" => "Croatia" 
        ],
        "CU" => [
            "name" => "Cuba" 
        ],
        "CW" => [
            "name" => "Curaçao" 
        ],
        "CY" => [
            "name" => "Cyprus" 
        ],
        "CZ" => [
            "name" => "Czech Republic" 
        ],
        "DK" => [
            "name" => "Denmark" 
        ],
        "DO" => [
            "name" => "Dominican Republic" 
        ],
        "EC" => [
            "name" => "Ecuador" 
        ],
        "EG" => [
            "name" => "Egypt" 
        ],
        "SV" => [
            "name" => "El Salvador" 
        ],
        "EE" => [
            "name" => "Estonia" 
        ],
        "FK" => [
            "name" => "Falkland Islands (Islas Malvinas)" 
        ],
        "FO" => [
            "name" => "Faroe Islands" 
        ],
        "FJ" => [
            "name" => "Fiji" 
        ],
        "FI" => [
            "name" => "Finland" 
        ],
        "FR" => [
            "name" => "France" 
        ],
        "GF" => [
            "name" => "French Guiana" 
        ],
        "PF" => [
            "name" => "French Polynesia" 
        ],
        "TF" => [
            "name" => "French Southern Territories" 
        ],
        "GE" => [
            "name" => "Georgia" 
        ],
        "DE" => [
            "name" => "Germany" 
        ],
        "GH" => [
            "name" => "Ghana" 
        ],
        "GI" => [
            "name" => "Gibraltar" 
        ],
        "GR" => [
            "name" => "Greece" 
        ],
        "GL" => [
            "name" => "Greenland" 
        ],
        "GU" => [
            "name" => "Guam" 
        ],
        "GT" => [
            "name" => "Guatemala" 
        ],
        "GW" => [
            "name" => "Guinea-Bissau" 
        ],
        "GY" => [
            "name" => "Guyana" 
        ],
        "HT" => [
            "name" => "Haiti" 
        ],
        "HN" => [
            "name" => "Honduras" 
        ],
        "HK" => [
            "name" => "Hong Kong" 
        ],
        "HU" => [
            "name" => "Hungary" 
        ],
        "IS" => [
            "name" => "Iceland" 
        ],
        "IN" => [
            "name" => "India" 
        ],
        "ID" => [
            "name" => "Indonesia" 
        ],
        "IR" => [
            "name" => "Iran" 
        ],
        "IQ" => [
            "name" => "Iraq" 
        ],
        "IE" => [
            "name" => "Ireland" 
        ],
        "IL" => [
            "name" => "Israel" 
        ],
        "IT" => [
            "name" => "Italy" 
        ],
        "JM" => [
            "name" => "Jamaica" 
        ],
        "JP" => [
            "name" => "Japan" 
        ],
        "JO" => [
            "name" => "Jordan" 
        ],
        "KZ" => [
            "name" => "Kazakhstan" 
        ],
        "KE" => [
            "name" => "Kenya" 
        ],
        "KI" => [
            "name" => "Kiribati" 
        ],
        "KG" => [
            "name" => "Kyrgyzstan" 
        ],
        "LV" => [
            "name" => "Latvia" 
        ],
        "LB" => [
            "name" => "Lebanon" 
        ],
        "LR" => [
            "name" => "Liberia" 
        ],
        "LY" => [
            "name" => "Libya" 
        ],
        "LT" => [
            "name" => "Lithuania" 
        ],
        "LU" => [
            "name" => "Luxembourg" 
        ],
        "MO" => [
            "name" => "Macau" 
        ],
        "MK" => [
            "name" => "Macedonia (FYROM)" 
        ],
        "MY" => [
            "name" => "Malaysia" 
        ],
        "MV" => [
            "name" => "Maldives" 
        ],
        "MT" => [
            "name" => "Malta" 
        ],
        "MH" => [
            "name" => "Marshall Islands" 
        ],
        "MQ" => [
            "name" => "Martinique" 
        ],
        "MU" => [
            "name" => "Mauritius" 
        ],
        "MX" => [
            "name" => "Mexico" 
        ],
        "FM" => [
            "name" => "Micronesia" 
        ],
        "MD" => [
            "name" => "Moldova" 
        ],
        "MC" => [
            "name" => "Monaco" 
        ],
        "MN" => [
            "name" => "Mongolia" 
        ],
        "MA" => [
            "name" => "Morocco" 
        ],
        "MZ" => [
            "name" => "Mozambique" 
        ],
        "MM" => [
            "name" => "Myanmar (Burma)" 
        ],
        "NA" => [
            "name" => "Namibia" 
        ],
        "NR" => [
            "name" => "Nauru" 
        ],
        "NP" => [
            "name" => "Nepal" 
        ],
        "NL" => [
            "name" => "Netherlands" 
        ],
        "NC" => [
            "name" => "New Caledonia" 
        ],
        "NZ" => [
            "name" => "New Zealand" 
        ],
        "NI" => [
            "name" => "Nicaragua" 
        ],
        "NG" => [
            "name" => "Nigeria" 
        ],
        "NU" => [
            "name" => "Niue" 
        ],
        "NF" => [
            "name" => "Norfolk Island" 
        ],
        "KP" => [
            "name" => "North Korea" 
        ],
        "MP" => [
            "name" => "Northern Mariana Islands" 
        ],
        "NO" => [
            "name" => "Norway" 
        ],
        "PK" => [
            "name" => "Pakistan" 
        ],
        "PW" => [
            "name" => "Palau" 
        ],
        "PS" => [
            "name" => "Palestine" 
        ],
        "PA" => [
            "name" => "Panama" 
        ],
        "PG" => [
            "name" => "Papua New Guinea" 
        ],
        "PY" => [
            "name" => "Paraguay" 
        ],
        "PE" => [
            "name" => "Peru" 
        ],
        "PH" => [
            "name" => "Philippines" 
        ],
        "PN" => [
            "name" => "Pitcairn Islands" 
        ],
        "PL" => [
            "name" => "Poland" 
        ],
        "PT" => [
            "name" => "Portugal" 
        ],
        "PR" => [
            "name" => "Puerto Rico" 
        ],
        "QA" => [
            "name" => "Qatar" 
        ],
        "RE" => [
            "name" => "Réunion" 
        ],
        "RO" => [
            "name" => "Romania" 
        ],
        "RU" => [
            "name" => "Russia" 
        ],
        "WS" => [
            "name" => "Samoa" 
        ],
        "SM" => [
            "name" => "San Marino" 
        ],
        "SA" => [
            "name" => "Saudi Arabia" 
        ],
        "RS" => [
            "name" => "Serbia" 
        ],
        "SC" => [
            "name" => "Seychelles" 
        ],
        "SG" => [
            "name" => "Singapore" 
        ],
        "SK" => [
            "name" => "Slovakia" 
        ],
        "SI" => [
            "name" => "Slovenia" 
        ],
        "SB" => [
            "name" => "Solomon Islands" 
        ],
        "ZA" => [
            "name" => "South Africa" 
        ],
        "GS" => [
            "name" => "South Georgia & South Sandwich Islands" 
        ],
        "KR" => [
            "name" => "South Korea" 
        ],
        "ES" => [
            "name" => "Spain" 
        ],
        "LK" => [
            "name" => "Sri Lanka" 
        ],
        "PM" => [
            "name" => "St. Pierre & Miquelon" 
        ],
        "SD" => [
            "name" => "Sudan" 
        ],
        "SR" => [
            "name" => "Suriname" 
        ],
        "SJ" => [
            "name" => "Svalbard & Jan Mayen" 
        ],
        "SE" => [
            "name" => "Sweden" 
        ],
        "CH" => [
            "name" => "Switzerland" 
        ],
        "SY" => [
            "name" => "Syria" 
        ],
        "TW" => [
            "name" => "Taiwan" 
        ],
        "TJ" => [
            "name" => "Tajikistan" 
        ],
        "TH" => [
            "name" => "Thailand" 
        ],
        "TL" => [
            "name" => "Timor-Leste" 
        ],
        "TK" => [
            "name" => "Tokelau" 
        ],
        "TO" => [
            "name" => "Tonga" 
        ],
        "TT" => [
            "name" => "Trinidad & Tobago" 
        ],
        "TN" => [
            "name" => "Tunisia" 
        ],
        "TR" => [
            "name" => "Turkey" 
        ],
        "TM" => [
            "name" => "Turkmenistan" 
        ],
        "TC" => [
            "name" => "Turks & Caicos Islands" 
        ],
        "TV" => [
            "name" => "Tuvalu" 
        ],
        "UM" => [
            "name" => "U.S. Outlying Islands" 
        ],
        "UA" => [
            "name" => "Ukraine" 
        ],
        "AE" => [
            "name" => "United Arab Emirates" 
        ],
        "GB" => [
            "name" => "United Kingdom" 
        ],
        "US" => [
            "name" => "United States" 
        ],
        "UY" => [
            "name" => "Uruguay" 
        ],
        "UZ" => [
            "name" => "Uzbekistan" 
        ],
        "VU" => [
            "name" => "Vanuatu" 
        ],
        "VA" => [
            "name" => "Vatican City" 
        ],
        "VE" => [
            "name" => "Venezuela" 
        ],
        "VN" => [
            "name" => "Vietnam" 
        ],
        "WF" => [
            "name" => "Wallis & Futuna" 
        ],
        "EH" => [
            "name" => "Western Sahara" 
        ],
    ];
    
    // taken from Toland Hon's Answer
    function prettyOffset($offset) {
        $offset_prefix = $offset < 0 ? '-' : '+';
        $offset_formatted = gmdate( 'H:i', abs($offset) );
    
        $pretty_offset = "UTC${offset_prefix}${offset_formatted}";
    
        return $pretty_offset;
    }
    
    foreach ($timezones as $k => $v) {
        $tz = DateTimeZone::listIdentifiers(DateTimeZone::PER_COUNTRY, $k);
    
        foreach ($tz as $value) {
            $t = new DateTimeZone($value);
            $offset = (new DateTime("now", $t))->getOffset();
            $timezones[$k]['timezones'][$value] = prettyOffset($offset);
        }   
    }
    

    This gives me an array grouped by countries:

    ["US"]=>
      array(2) {
        ["name"]=>
        string(13) "United States"
        ["timezones"]=>
        array(29) {
          ["America/Adak"]=>
          string(9) "UTC-10:00"
          ["America/Anchorage"]=>
          string(9) "UTC-09:00"
          ["America/Boise"]=>
          string(9) "UTC-07:00"
          ["America/Chicago"]=>
          string(9) "UTC-06:00"
          ["America/Denver"]=>
          string(9) "UTC-07:00"
          ["America/Detroit"]=>
          string(9) "UTC-05:00"
          ["America/Indiana/Indianapolis"]=>
          string(9) "UTC-05:00"
          ["America/Indiana/Knox"]=>
          string(9) "UTC-06:00"
          ["America/Indiana/Marengo"]=>
          string(9) "UTC-05:00"
          ["America/Indiana/Petersburg"]=>
          string(9) "UTC-05:00"
          ["America/Indiana/Tell_City"]=>
          string(9) "UTC-06:00"
          ["America/Indiana/Vevay"]=>
          string(9) "UTC-05:00"
          ["America/Indiana/Vincennes"]=>
          string(9) "UTC-05:00"
          ["America/Indiana/Winamac"]=>
          string(9) "UTC-05:00"
          ["America/Juneau"]=>
          string(9) "UTC-09:00"
          ["America/Kentucky/Louisville"]=>
          string(9) "UTC-05:00"
          ["America/Kentucky/Monticello"]=>
          string(9) "UTC-05:00"
          ["America/Los_Angeles"]=>
          string(9) "UTC-08:00"
          ["America/Menominee"]=>
          string(9) "UTC-06:00"
          ["America/Metlakatla"]=>
          string(9) "UTC-08:00"
          ["America/New_York"]=>
          string(9) "UTC-05:00"
          ["America/Nome"]=>
          string(9) "UTC-09:00"
          ["America/North_Dakota/Beulah"]=>
          string(9) "UTC-06:00"
          ["America/North_Dakota/Center"]=>
          string(9) "UTC-06:00"
          ["America/North_Dakota/New_Salem"]=>
          string(9) "UTC-06:00"
          ["America/Phoenix"]=>
          string(9) "UTC-07:00"
          ["America/Sitka"]=>
          string(9) "UTC-09:00"
          ["America/Yakutat"]=>
          string(9) "UTC-09:00"
          ["Pacific/Honolulu"]=>
          string(9) "UTC-10:00"
        }
      }
    

    Which means now I can do something like below (of course with some javaScript trickery): Google Analytics Timezone Settings

    Detect & Record Audio in Python

    import pyaudio
    import wave
    from array import array
    
    FORMAT=pyaudio.paInt16
    CHANNELS=2
    RATE=44100
    CHUNK=1024
    RECORD_SECONDS=15
    FILE_NAME="RECORDING.wav"
    
    audio=pyaudio.PyAudio() #instantiate the pyaudio
    
    #recording prerequisites
    stream=audio.open(format=FORMAT,channels=CHANNELS, 
                      rate=RATE,
                      input=True,
                      frames_per_buffer=CHUNK)
    
    #starting recording
    frames=[]
    
    for i in range(0,int(RATE/CHUNK*RECORD_SECONDS)):
        data=stream.read(CHUNK)
        data_chunk=array('h',data)
        vol=max(data_chunk)
        if(vol>=500):
            print("something said")
            frames.append(data)
        else:
            print("nothing")
        print("\n")
    
    
    #end of recording
    stream.stop_stream()
    stream.close()
    audio.terminate()
    #writing to file
    wavfile=wave.open(FILE_NAME,'wb')
    wavfile.setnchannels(CHANNELS)
    wavfile.setsampwidth(audio.get_sample_size(FORMAT))
    wavfile.setframerate(RATE)
    wavfile.writeframes(b''.join(frames))#append frames recorded to file
    wavfile.close()
    

    I think this will help.It is a simple script which will check if there is a silence or not.If silence is detected it will not record otherwise it will record.

    Checking network connection

    Taking Six' answer I think we could simplify somehow, an important issue as newcomers are lost in highly technical matters.

    Here what I finally will use to wait for my connection (3G, slow) to be established once a day for my PV monitoring.

    Works under Pyth3 with Raspbian 3.4.2

    from urllib.request import urlopen
    from time import sleep
    urltotest=http://www.lsdx.eu             # my own web page
    nboftrials=0
    answer='NO'
    while answer=='NO' and nboftrials<10:
        try:
            urlopen(urltotest)
            answer='YES'
        except:
            essai='NO'
            nboftrials+=1
            sleep(30)       
    

    maximum running: 5 minutes if reached I will try in one hour's time but its another bit of script!

    How to detect escape key press with pure JS or jQuery?

    The keydown event will work fine for Escape and has the benefit of allowing you to use keyCode in all browsers. Also, you need to attach the listener to document rather than the body.

    Update May 2016

    keyCode is now in the process of being deprecated and most modern browsers offer the key property now, although you'll still need a fallback for decent browser support for now (at time of writing the current releases of Chrome and Safari don't support it).

    Update September 2018 evt.key is now supported by all modern browsers.

    _x000D_
    _x000D_
    document.onkeydown = function(evt) {_x000D_
        evt = evt || window.event;_x000D_
        var isEscape = false;_x000D_
        if ("key" in evt) {_x000D_
            isEscape = (evt.key === "Escape" || evt.key === "Esc");_x000D_
        } else {_x000D_
            isEscape = (evt.keyCode === 27);_x000D_
        }_x000D_
        if (isEscape) {_x000D_
            alert("Escape");_x000D_
        }_x000D_
    };
    _x000D_
    Click me then press the Escape key
    _x000D_
    _x000D_
    _x000D_

    What's the difference between 'git merge' and 'git rebase'?

    While the accepted and most upvoted answer is great, I additionally find it useful trying to explain the difference only by words:

    merge

    • “okay, we got two differently developed states of our repository. Let's merge them together. Two parents, one resulting child.”

    rebase

    • “Give the changes of the main branch (whatever its name) to my feature branch. Do so by pretending my feature work started later, in fact on the current state of the main branch.”
    • “Rewrite the history of my changes to reflect that.” (need to force-push them, because normally versioning is all about not tampering with given history)
    • “Likely —if the changes I raked in have little to do with my work— history actually won't change much, if I look at my commits diff by diff (you may also think of ‘patches’).“

    summary: When possible, rebase is almost always better. Making re-integration into the main branch easier.

    Because? ? your feature work can be presented as one big ‘patch file’ (aka diff) in respect to the main branch, not having to ‘explain’ multiple parents: At least two, coming from one merge, but likely many more, if there were several merges. Unlike merges, multiple rebases do not add up. (another big plus)

    How to pass data to all views in Laravel 5?

    Inside your config folder you can create a php file name it for example "variable.php" with content below:

    <?php
    
      return [
        'versionNumber' => '122231',
      ];
    

    Now inside all the views you can use it like

    config('variable.versionNumber')
    

    Check if an image is loaded (no errors) with jQuery

    This is how I got it to work cross browser using a combination of the methods above (I also needed to insert images dynamically into the dom):

    $('#domTarget').html('<img src="" />');
    
    var url = '/some/image/path.png';
    
    $('#domTarget img').load(function(){}).attr('src', url).error(function() {
        if ( isIE ) {
           var thisImg = this;
           setTimeout(function() {
              if ( ! thisImg.complete ) {
                 $(thisImg).attr('src', '/web/css/img/picture-broken-url.png');
              }
           },250);
        } else {
           $(this).attr('src', '/web/css/img/picture-broken-url.png');
        }
    });
    

    Note: You will need to supply a valid boolean state for the isIE variable.

    NuGet auto package restore does not work with MSBuild

    UPDATED with latest official NuGet documentation as of v3.3.0

    Package Restore Approaches

    NuGet offers three approaches to using package restore.


    Automatic Package Restore is the NuGet team's recommended approach to Package Restore within Visual Studio, and it was introduced in NuGet 2.7. Beginning with NuGet 2.7, the NuGet Visual Studio extension integrates into Visual Studio's build events and restores missing packages when a build begins. This feature is enabled by default, but developers can opt out if desired.


    Here's how it works:

    1. On project or solution build, Visual Studio raises an event that a build is beginning within the solution.
    2. NuGet responds to this event and checks for packages.config files included in the solution.
    3. For each packages.config file found, its packages are enumerated and Checked for exists in the solution's packages folder.
    4. Any missing packages are downloaded from the user's configured (and enabled) package sources, respecting the order of the package sources.
    5. As packages are downloaded, they are unzipped into the solution's packages folder.

    If you have Nuget 2.7+ installed; it's important to pick one method for > managing Automatic Package Restore in Visual Studio.

    Two methods are available:

    1. (Nuget 2.7+): Visual Studio -> Tools -> Package Manager -> Package Manager Settings -> Enable Automatic Package Restore
    2. (Nuget 2.6 and below) Right clicking on a solution and clicking "Enable Package Restore for this solution".


    Command-Line Package Restore is required when building a solution from the command-line; it was introduced in early versions of NuGet, but was improved in NuGet 2.7.

    nuget.exe restore contoso.sln
    

    The MSBuild-integrated package restore approach is the original Package Restore implementation and though it continues to work in many scenarios, it does not cover the full set of scenarios addressed by the other two approaches.

    How to start a background process in Python?

    While jkp's solution works, the newer way of doing things (and the way the documentation recommends) is to use the subprocess module. For simple commands its equivalent, but it offers more options if you want to do something complicated.

    Example for your case:

    import subprocess
    subprocess.Popen(["rm","-r","some.file"])
    

    This will run rm -r some.file in the background. Note that calling .communicate() on the object returned from Popen will block until it completes, so don't do that if you want it to run in the background:

    import subprocess
    ls_output=subprocess.Popen(["sleep", "30"])
    ls_output.communicate()  # Will block for 30 seconds
    

    See the documentation here.

    Also, a point of clarification: "Background" as you use it here is purely a shell concept; technically, what you mean is that you want to spawn a process without blocking while you wait for it to complete. However, I've used "background" here to refer to shell-background-like behavior.

    Netbeans - Error: Could not find or load main class

    Just close the Netbeans. Go to C:\Users\YOUR_PC_NAME\AppData\Local\Netbeans and delete the Cache folder. The open the Netbeans again and run the project. It works like magic for me.

    (AppData folder might be hidden probably, if so, you need to make it appear in Folder Options).enter image description here

    Querying DynamoDB by date

    Updated Answer:

    DynamoDB allows for specification of secondary indexes to aid in this sort of query. Secondary indexes can either be global, meaning that the index spans the whole table across hash keys, or local meaning that the index would exist within each hash key partition, thus requiring the hash key to also be specified when making the query.

    For the use case in this question, you would want to use a global secondary index on the "CreatedAt" field.

    For more on DynamoDB secondary indexes see the secondary index documentation

    Original Answer:

    DynamoDB does not allow indexed lookups on the range key only. The hash key is required such that the service knows which partition to look in to find the data.

    You can of course perform a scan operation to filter by the date value, however this would require a full table scan, so it is not ideal.

    If you need to perform an indexed lookup of records by time across multiple primary keys, DynamoDB might not be the ideal service for you to use, or you might need to utilize a separate table (either in DynamoDB or a relational store) to store item metadata that you can perform an indexed lookup against.

    Clear and reset form input fields

    /* See newState and use of it in eventSubmit() for resetting all the state. I have tested it is working for me. Please let me know for mistakes */

    import React from 'react';
        
        const newState = {
            fullname: '',
            email: ''
        }
        
        class Form extends React.Component {
            constructor(props) {
                super(props);
                this.state = {
                    fullname: ' ',
                    email: ' '
                }
        
                this.eventChange = this
                    .eventChange
                    .bind(this);
                this.eventSubmit = this
                    .eventSubmit
                    .bind(this);
            }
            eventChange(event) {
                const target = event.target;
                const value = target.type === 'checkbox'
                    ? target.type
                    : target.value;
                const name = target.name;
        
                this.setState({[name]: value})
            }
        
            eventSubmit(event) {
                alert(JSON.stringify(this.state))
                event.preventDefault();
                this.setState({...newState});
            }
        
            render() {
                return (
                    <div className="container">
                        <form className="row mt-5" onSubmit={this.eventSubmit}>
                            <label className="col-md-12">
                                Full Name
                                <input
                                    type="text"
                                    name="fullname"
                                    id="fullname"
                                    value={this.state.fullname}
                                    onChange={this.eventChange}/>
                            </label>
                            <label className="col-md-12">
                                email
                                <input
                                    type="text"
                                    name="email"
                                    id="email"
                                    value={this.state.value}
                                    onChange={this.eventChange}/>
                            </label>
                            <input type="submit" value="Submit"/>
                        </form>
                    </div>
                )
            }
        }
        
        export default Form;
        
    

    How can I get a JavaScript stack trace when I throw an exception?

    It is easier to get a stack trace on Firefox than it is on IE but fundamentally here is what you want to do:

    Wrap the "problematic" piece of code in a try/catch block:

    try {
        // some code that doesn't work
        var t = null;
        var n = t.not_a_value;
    }
        catch(e) {
    }
    

    If you will examine the contents of the "error" object it contains the following fields:

    e.fileName : The source file / page where the issue came from e.lineNumber : The line number in the file/page where the issue arose e.message : A simple message describing what type of error took place e.name : The type of error that took place, in the example above it should be 'TypeError' e.stack : Contains the stack trace that caused the exception

    I hope this helps you out.

    Simulate Keypress With jQuery

    The keypress event from jQuery is meant to do this sort of work. You can trigger the event by passing a string "keypress" to .trigger(). However to be more specific you can actually pass a jQuery.Event object (specify the type as "keypress") as well and provide any properties you want such as the keycode being the spacebar.

    http://docs.jquery.com/Events/trigger#eventdata

    Read the above documentation for more details.

    Using tr to replace newline with space

    Best guess is you are on windows and your line ending settings are set for windows. See this topic: How to change line-ending settings

    or use:

    tr '\r\n' ' '
    

    error LNK2001: unresolved external symbol (C++)

    That means that the definition of your function is not present in your program. You forgot to add that one.cpp to your program.

    What "to add" means in this case depends on your build environment and its terminology. In MSVC (since you are apparently use MSVC) you'd have to add one.cpp to the project.

    In more practical terms, applicable to all typical build methodologies, when you link you program, the object file created form one.cpp is missing.

    Simple logical operators in Bash

    Here is the code for the short version of if-then-else statement:

    ( [ $a -eq 1 ] || [ $b -eq 2 ] ) && echo "ok" || echo "nok"
    

    Pay attention to the following:

    1. || and && operands inside if condition (i.e. between round parentheses) are logical operands (or/and)

    2. || and && operands outside if condition mean then/else

    Practically the statement says:

    if (a=1 or b=2) then "ok" else "nok"

    get UTC time in PHP

    Obtaining UTC date

    gmdate("Y-m-d H:i:s");
    

    Obtaining UTC timestamp

    time();
    

    The result will not be different even you have date_default_timezone_set on your code.

    Convert generic list to dataset in C#

    There is a bug with Lee's extension code above, you need to add the newly filled row to the table t when iterating throught the items in the list.

    public static DataSet ToDataSet<T>(this IList<T> list) {
    
    Type elementType = typeof(T);
    DataSet ds = new DataSet();
    DataTable t = new DataTable();
    ds.Tables.Add(t);
    
    //add a column to table for each public property on T
    foreach(var propInfo in elementType.GetProperties())
    {
        t.Columns.Add(propInfo.Name, propInfo.PropertyType);
    }
    
    //go through each property on T and add each value to the table
    foreach(T item in list)
    {
        DataRow row = t.NewRow();
        foreach(var propInfo in elementType.GetProperties())
        {
                row[propInfo.Name] = propInfo.GetValue(item, null);
        }
    
        //This line was missing:
        t.Rows.Add(row);
    }
    
    
    return ds;
    

    }

    Can anyone explain IEnumerable and IEnumerator to me?

    IEnumerable and IEnumerator both are interfaces in C#.

    IEnumerable is an interface defining a single method GetEnumerator() that returns an IEnumerator interface.

    This works for read-only access to a collection that implements that IEnumerable can be used with a foreach statement.

    IEnumerator has two methods, MoveNext and Reset. It also has a property called Current.

    The following shows the implementation of IEnumerable and IEnumerator.

    javax.validation.ValidationException: HV000183: Unable to load 'javax.el.ExpressionFactory'

    If using Spring Boot this works well. Even with Spring Reactive Mongo.

    <dependency>
        <groupId>org.springframework.boot</groupId>
        <artifactId>spring-boot-starter-validation</artifactId>
    </dependency>
    

    and validation config:

    import org.springframework.context.annotation.Bean;
    import org.springframework.context.annotation.Configuration;
    import org.springframework.data.mongodb.core.mapping.event.ValidatingMongoEventListener;
    import org.springframework.validation.beanvalidation.LocalValidatorFactoryBean;
    
    @Configuration
    public class MongoValidationConfig {
    
        @Bean
        public ValidatingMongoEventListener validatingMongoEventListener() {
            return new ValidatingMongoEventListener(validator());
        }
    
        @Bean
        public LocalValidatorFactoryBean validator() {
            return new LocalValidatorFactoryBean();
        }
    }
    

    Java socket API: How to tell if a connection has been closed?

    It is general practice in various messaging protocols to keep heartbeating each other (keep sending ping packets) the packet does not need to be very large. The probing mechanism will allow you to detect the disconnected client even before TCP figures it out in general (TCP timeout is far higher) Send a probe and wait for say 5 seconds for a reply, if you do not see reply for say 2-3 subsequent probes, your player is disconnected.

    Also, related question

    Variable is accessed within inner class. Needs to be declared final

    If you don't want to make it final, you can always just make it a global variable.

    How to pass form input value to php function

    You can write your php file to the action attr of form element.
    At the php side you can get the form value by $_POST['element_name'].

    Confirmation before closing of tab/browser

    Try this:

    <script>
        window.onbeforeunload = function(e) {
           return 'Dialog text here.';
        };
    </script>
    

    more info here MDN.

    DD/MM/YYYY Date format in Moment.js

    You need to call format() function to get the formatted value

    $scope.SearchDate = moment(new Date()).format("DD/MM/YYYY")
    //or $scope.SearchDate = moment().format("DD/MM/YYYY")
    

    The syntax you have used is used to parse a given string to date object by using the specified formate

    Easiest way to convert a Blob into a byte array

    The easiest way is this.

    byte[] bytes = rs.getBytes("my_field");
    

    javascript regex for special characters

    var regex = /^[a-zA-Z0-9!@#\$%\^\&*\)\(+=._-]+$/g
    

    Should work

    Also may want to have a minimum length i.e. 6 characters

    var regex = /^[a-zA-Z0-9!@#\$%\^\&*\)\(+=._-]{6,}$/g
    

    How to define relative paths in Visual Studio Project?

    If I get you right, you need ..\..\src

    Simple way to get element by id within a div tag?

    You may try something like this.

    Sample Markup.

    <div id="div1" >
        <input type="text" id="edit1" />
        <input type="text" id="edit2" />
    </div>
    <div id="div2" >
        <input type="text" id="edit3" />
        <input type="text" id="edit4" />
    </div>
    

    JavaScript

    function GetElementInsideContainer(containerID, childID) {
        var elm = {};
        var elms = document.getElementById(containerID).getElementsByTagName("*");
        for (var i = 0; i < elms.length; i++) {
            if (elms[i].id === childID) {
                elm = elms[i];
                break;
            }
        }
        return elm;
    }
    

    Demo: http://jsfiddle.net/naveen/H8j2A/

    A better method as suggested by nnnnnn

    function GetElementInsideContainer(containerID, childID) {
        var elm = document.getElementById(childID);
        var parent = elm ? elm.parentNode : {};
        return (parent.id && parent.id === containerID) ? elm : {};
    }
    

    Demo: http://jsfiddle.net/naveen/4JMgF/

    Call it like

    var e = GetElementInsideContainer("div1", "edit1");
    

    Drop-down box dependent on the option selected in another drop-down box

    In this jsfiddle you'll find a solution I deviced. The idea is to have a selector pair in html and use (plain) javascript to filter the options in the dependent selector, based on the selected option of the first. For example:

    <select id="continents">
     <option value = 0>All</option>   
     <option value = 1>Asia</option>
     <option value = 2>Europe</option>
     <option value = 3>Africa</option>
    </select> 
    <select id="selectcountries"></select>
    

    Uses (in the jsFiddle)

     MAIN.createRelatedSelector
         ( document.querySelector('#continents')           // from select element
          ,document.querySelector('#selectcountries')      // to select element
          ,{                                               // values object 
            Asia: ['China','Japan','North Korea',
                   'South Korea','India','Malaysia',
                   'Uzbekistan'],
            Europe: ['France','Belgium','Spain','Netherlands','Sweden','Germany'],
            Africa: ['Mali','Namibia','Botswana','Zimbabwe','Burkina Faso','Burundi']
          }
          ,function(a,b){return a>b ? 1 : a<b ? -1 : 0;}   // sort method
     );
    

    [Edit 2021] or use data-attributes, something like:

    _x000D_
    _x000D_
    document.addEventListener("change", checkSelect);
    
    function checkSelect(evt) {
      const origin = evt.target;
    
      if (origin.dataset.dependentSelector) {
        const selectedOptFrom = origin.querySelector("option:checked")
          .dataset.dependentOpt || "n/a";
        const addRemove = optData => (optData || "") === selectedOptFrom 
          ? "add" : "remove";
        document.querySelectorAll(`${origin.dataset.dependentSelector} option`)
          .forEach( opt => 
            opt.classList[addRemove(opt.dataset.fromDependent)]("display") );
      }
    }
    _x000D_
    [data-from-dependent] {
      display: none;
    }
    
    [data-from-dependent].display {
      display: initial;
    }
    _x000D_
    <select id="source" name="source" data-dependent-selector="#status">
      <option>MANUAL</option>
      <option data-dependent-opt="ONLINE">ONLINE</option>
      <option data-dependent-opt="UNKNOWN">UNKNOWN</option>
    </select>
    
    <select id="status" name="status">
      <option>OPEN</option>
      <option>DELIVERED</option>
      <option data-from-dependent="ONLINE">SHIPPED</option>
      <option data-from-dependent="UNKNOWN">SHOULD SELECT</option>
      <option data-from-dependent="UNKNOWN">MAYBE IN TRANSIT</option>
    </select>
    _x000D_
    _x000D_
    _x000D_

    Chrome DevTools Devices does not detect device when plugged in

    Had a nightmare with this today Samsung Galaxy Note 9 and a Windows 10 Laptop without Android Studio. Here are working steps to get debugging.

    1) Enable developer mode on the phone in the usual manner and turn on "USB Debugging".

    2) On your computer install the Samsung USB Drivers for Windows https://developer.samsung.com/galaxy/others/android-usb-driver-for-windows

    3) Open Chrome on your Computer - bring up Remote Devices in dev console (at the moment it will say no devices detected).

    4) Connect your phone to your computer via USB cable.

    5) Accept any prompts for authorisation and wait until the computer says "your device is ready.." etc.

    6) On your phone, swipe down the top menu and tap "P Android system" - select "MIDI" under "Use USB for".

    7) Various setup notifications will appear on your PC, when they are finished you will get the authorisation prompt for debugging on your phone. Accept it! Wait a few more second and you will find the phone now appears in Chrome Dev tools on the computer, and will be connected in a few more seconds.

    You're welcome.

    Java - How do I make a String array with values?

    You want to initialize an array. (For more info - Tutorial)

    int []ar={11,22,33};
    
    String []stringAr={"One","Two","Three"};
    

    From the JLS

    The [] may appear as part of the type at the beginning of the declaration, or as part of the declarator for a particular variable, or both, as in this example:

    byte[] rowvector, colvector, matrix[];
    

    This declaration is equivalent to:

    byte rowvector[], colvector[], matrix[][];
    

    Check element CSS display with JavaScript

    As sdleihssirhc says below, if the element's display is being inherited or being specified by a CSS rule, you'll need to get its computed style:

    return window.getComputedStyle(element, null).display;
    

    Elements have a style property that will tell you what you want, if the style was declared inline or with JavaScript:

    console.log(document.getElementById('someIDThatExists').style.display);
    

    will give you a string value.

    How to restart a windows service using Task Scheduler

    Instead of using a bat file, you can simply create a Scheduled Task. Most of the time you define just one action. In this case, create two actions with the NET command. The first one to stop the service, the second one to start the service. Give them a STOP and START argument, followed by the service name.

    In this example we restart the Printer Spooler service.

    NET STOP "Print Spooler" 
    NET START "Print Spooler"
    

    enter image description here

    enter image description here

    Note: unfortunately NET RESTART <service name> does not exist.

    Importing Pandas gives error AttributeError: module 'pandas' has no attribute 'core' in iPython Notebook

    I recently came across the same problem right after I installed Pandas 0.23 in Anaconda Prompt. The solution is simply to restart the Jupyter Notebook which reports the error. May it helps.

    How to update the constant height constraint of a UIView programmatically?

    First connect the Height constraint in to our viewcontroller for creating IBOutlet like the below code shown

    @IBOutlet weak var select_dateHeight: NSLayoutConstraint!
    

    then put the below code in view did load or inside any actions

    self.select_dateHeight.constant = 0 // we can change the height value
    

    if it is inside a button click

    @IBAction func Feedback_button(_ sender: Any) {
     self.select_dateHeight.constant = 0
    
    }
    

    How to assign a heredoc value to a variable in Bash?

    An array is a variable, so in that case mapfile will work

    mapfile y <<'z'
    abc'asdf"
    $(dont-execute-this)
    foo"bar"''
    z
    

    Then you can print like this

    printf %s "${y[@]}"
    

    "Too many values to unpack" Exception

    This happens to me when I'm using Jinja2 for templates. The problem can be solved by running the development server using the runserver_plus command from django_extensions.

    It uses the werkzeug debugger which also happens to be a lot better and has a very nice interactive debugging console. It does some ajax magic to launch a python shell at any frame (in the call stack) so you can debug.

    "Could not find the main class" error when running jar exported by Eclipse

    Right click on the project. Go to properties. Click on Run/Debug Settings. Now delete the run config of your main class that you are trying to run. Now, when you hit run again, things would work just fine.

    CSS: center element within a <div> element

    If you want to center elements inside a div and don't care about division size you could use Flex power. I prefer using flex and don't use exact size for elements.

    <div class="outer flex">
        <div class="inner">
            This is the inner Content
        </div>
    </div>
    

    As you can see Outer div is Flex container and Inner must be Flex item that specified with flex: 1 1 auto; for better understand you could see this simple sample. http://jsfiddle.net/QMaster/hC223/

    Hope this help.

    Fatal error: "No Target Architecture" in Visual Studio

    It would seem that _AMD64_ is not defined, since I can't imagine you are compiling for Itanium (_IA64_).

    How can I programmatically freeze the top row of an Excel worksheet in Excel 2007 VBA?

    Tomalak already gave you a correct answer, but I would like to add that most of the times when you would like to know the VBA code needed to do a certain action in the user interface it is a good idea to record a macro.

    In this case click Record Macro on the developer tab of the Ribbon, freeze the top row and then stop recording. Excel will have the following macro recorded for you which also does the job:

    With ActiveWindow
        .SplitColumn = 0
        .SplitRow = 1
    End With
    ActiveWindow.FreezePanes = True
    

    Explanation of the UML arrows

    Aggregations and compositions are a little bit confusing. However, think like compositions are a stronger version of aggregation. What does that mean? Let's take an example: (Aggregation) 1. Take a classroom and students: In this case, we try to analyze the relationship between them. A classroom has a relationship with students. That means classroom comprises of one or many students. Even if we remove the Classroom class, the Students class does not need to destroy, which means we can use Student class independently.

    (Composition) 2. Take a look at pages and Book Class. In this case, pages is a book, which means collections of pages makes the book. If we remove the book class, the whole Page class will be destroyed. That means we cannot use the class of the page independently.

    If you are still unclear about this topic, watch out this short wonderful video, which has explained the aggregation more clearly.

    https://www.youtube.com/watch?v=d5ecYmyFZW0

    SQL JOIN, GROUP BY on three tables to get totals

    First of all, shouldn't there be a CustomerId in the Invoices table? As it is, You can't perform this query for Invoices that have no payments on them as yet. If there are no payments on an invoice, that invoice will not even show up in the ouput of the query, even though it's an outer join...

    Also, When a customer makes a payment, how do you know what Invoice to attach it to ? If the only way is by the InvoiceId on the stub that arrives with the payment, then you are (perhaps inappropriately) associating Invoices with the customer that paid them, rather than with the customer that ordered them... . (Sometimes an invoice can be paid by someone other than the customer who ordered the services)

    How do I do a bulk insert in mySQL using node.js

    I was having similar problem. It was just inserting one from the list of arrays. It worked after making the below changes.

    1. Passed [params] to the query method.
    2. Changed the query from insert (a,b) into table1 values (?) ==> insert (a,b) into table1 values ? . ie. Removed the paranthesis around the question mark.

    Hope this helps. I am using mysql npm.

    How to paste text to end of every line? Sublime 2

    Let's say you have these lines of code:

    test line one
    test line two
    test line three
    test line four
    

    Using Search and Replace Ctrl+H with Regex let's find this: ^ and replace it with ", we'll have this:

    "test line one
    "test line two
    "test line three
    "test line four
    

    Now let's search this: $ and replace it with ", now we'll have this:

    "test line one"
    "test line two"
    "test line three"
    "test line four"
    

    Xcode : Adding a project as a build dependency

    Under TARGETS in your project, right-click on your project target (should be the same name as your project) and choose GET INFO, then on GENERAL tab you will see DIRECT DEPENDENCIES, simply click the [+] and select SoundCloudAPI.

    Application not picking up .css file (flask/python)

    One more point to add.Along with above upvoted answers, please make sure the below line is added to app.py file:

    app = Flask(__name__, static_folder="your path to static")
    

    Otherwise flask will not be able to detect static folder.

    JavaScript variable assignments from tuples

    Tuples aren't supported in JavaScript

    If you're looking for an immutable list, Object.freeze() can be used to make an array immutable.

    The Object.freeze() method freezes an object: that is, prevents new properties from being added to it; prevents existing properties from being removed; and prevents existing properties, or their enumerability, configurability, or writability, from being changed. In essence the object is made effectively immutable. The method returns the object being frozen.

    Source: Mozilla Developer Network - Object.freeze()

    Assign an array as usual but lock it using 'Object.freeze()

    > tuple = Object.freeze(['Bob', 24]);
    [ 'Bob', 24 ]
    

    Use the values as you would a regular array (python multi-assignment is not supported)

    > name = tuple[0]
    'Bob'
    > age = tuple[1]
    24
    

    Attempt to assign a new value

    > tuple[0] = 'Steve'
    'Steve'
    

    But the value is not changed

    > console.log(tuple)
    [ 'Bob', 24 ]
    

    window.open with target "_blank" in Chrome

    It's a setting in chrome. You can't control how the browser interprets the target _blank.

    GridView VS GridLayout in Android Apps

    A GridView is a ViewGroup that displays items in two-dimensional scrolling grid. The items in the grid come from the ListAdapter associated with this view.

    This is what you'd want to use (keep using). Because a GridView gets its data from a ListAdapter, the only data loaded in memory will be the one displayed on screen. GridViews, much like ListViews reuse and recycle their views for better performance.

    Whereas a GridLayout is a layout that places its children in a rectangular grid.

    It was introduced in API level 14, and was recently backported in the Support Library. Its main purpose is to solve alignment and performance problems in other layouts. Check out this tutorial if you want to learn more about GridLayout.

    How to sort with a lambda?

    To much code, you can use it like this:

    #include<array>
    #include<functional>
    
    int main()
    {
        std::array<int, 10> vec = { 1,2,3,4,5,6,7,8,9 };
    
        std::sort(std::begin(vec), 
                  std::end(vec), 
                  [](int a, int b) {return a > b; });
    
        for (auto item : vec)
          std::cout << item << " ";
    
        return 0;
    }
    

    Replace "vec" with your class and that's it.

    how to use font awesome in own css?

    The spirit of Web font is to use cache as much as possible, therefore you should use CDN version between <head></head> instead of hosting yourself:

    <link href="//netdna.bootstrapcdn.com/font-awesome/3.2.1/css/font-awesome.css" rel="stylesheet">
    

    Also, make sure you loaded your CSS AFTER the above line, or your custom font CSS won't work.

    Reference: Font Awesome Get Started

    How do I open a Visual Studio project in design view?

    From the Solution Explorer window select your form, right-click, click on View Designer. Voila! The form should display.

    I tried posting a couple screenshots, but this is my first post; therefore, I could not post any images.

    Commenting multiple lines in DOS batch file

    Another option is to enclose the unwanted lines in an IF block that can never be true

    if 1==0 (
    ...
    )
    

    Of course nothing within the if block will be executed, but it will be parsed. So you can't have any invalid syntax within. Also, the comment cannot contain ) unless it is escaped or quoted. For those reasons the accepted GOTO solution is more reliable. (The GOTO solution may also be faster)

    Update 2017-09-19

    Here is a cosmetic enhancement to pdub's GOTO solution. I define a simple environment variable "macro" that makes the GOTO comment syntax a bit better self documenting. Although it is generally recommended that :labels are unique within a batch script, it really is OK to embed multiple comments like this within the same batch script.

    @echo off
    setlocal
    
    set "beginComment=goto :endComment"
    
    %beginComment%
    Multi-line comment 1
    goes here
    :endComment
    
    echo This code executes
    
    %beginComment%
    Multi-line comment 2
    goes here
    :endComment
    
    echo Done
    

    Or you could use one of these variants of npocmaka's solution. The use of REM instead of BREAK makes the intent a bit clearer.

    rem.||(
       remarks
       go here
    )
    
    rem^ ||(
       The space after the caret
       is critical
    )
    

    git replacing LF with CRLF

    Git has three modes of how it treats line endings:

    $ git config core.autocrlf
    # that command will print "true" or "false" or "input"
    

    You can set the mode to use by adding an additional parameter of true or false to the above command line.

    If core.autocrlf is set to true, that means that any time you add a file to the git repo that git thinks is a text file, it will turn all CRLF line endings to just LF before it stores it in the commit. Whenever you git checkout something, all text files automatically will have their LF line endings converted to CRLF endings. This allows development of a project across platforms that use different line-ending styles without commits being very noisy because each editor changes the line ending style as the line ending style is always consistently LF.

    The side-effect of this convenient conversion, and this is what the warning you're seeing is about, is that if a text file you authored originally had LF endings instead of CRLF, it will be stored with LF as usual, but when checked out later it will have CRLF endings. For normal text files this is usually just fine. The warning is a "for your information" in this case, but in case git incorrectly assesses a binary file to be a text file, it is an important warning because git would then be corrupting your binary file.

    If core.autocrlf is set to false, no line-ending conversion is ever performed, so text files are checked in as-is. This usually works ok, as long as all your developers are either on Linux or all on Windows. But in my experience I still tend to get text files with mixed line endings that end up causing problems.

    My personal preference is to leave the setting turned ON, as a Windows developer.

    See http://kernel.org/pub/software/scm/git/docs/git-config.html for updated info that includes the "input" value.

    Insert variable into Header Location PHP

    There's nothing here explaining the use of multiple variables, so I'll chuck it in just incase someone needs it in the future.

    You need to concatenate multiple variables:

    header('Location: http://linkhere.com?var1='.$var1.'&var2='.$var2.'&var3'.$var3);
    

    What is "entropy and information gain"?

    I really recommend you read about Information Theory, bayesian methods and MaxEnt. The place to start is this (freely available online) book by David Mackay:

    http://www.inference.phy.cam.ac.uk/mackay/itila/

    Those inference methods are really far more general than just text mining and I can't really devise how one would learn how to apply this to NLP without learning some of the general basics contained in this book or other introductory books on Machine Learning and MaxEnt bayesian methods.

    The connection between entropy and probability theory to information processing and storing is really, really deep. To give a taste of it, there's a theorem due to Shannon that states that the maximum amount of information you can pass without error through a noisy communication channel is equal to the entropy of the noise process. There's also a theorem that connects how much you can compress a piece of data to occupy the minimum possible memory in your computer to the entropy of the process that generated the data.

    I don't think it's really necessary that you go learning about all those theorems on communication theory, but it's not possible to learn this without learning the basics about what is entropy, how it's calculated, what is it's relationship with information and inference, etc...

    Where is the correct location to put Log4j.properties in an Eclipse project?

    This question is already answered here

    The classpath never includes specific files. It includes directories and jar files. So, put that file in a directory that is in your classpath.

    Log4j properties aren't (normally) used in developing apps (unless you're debugging Eclipse itself!). So what you really want to to build the executable Java app (Application, WAR, EAR or whatever) and include the Log4j properties in the runtime classpath.

    How to create an empty file with Ansible?

    Another option, using the command module:

    - name: Create file
      command: touch /path/to/file
      args:
        creates: /path/to/file
    

    The 'creates' argument ensures that this action is not performed if the file exists.

    std::vector versus std::array in C++

    If you are considering using multidimensional arrays, then there is one additional difference between std::array and std::vector. A multidimensional std::array will have the elements packed in memory in all dimensions, just as a c style array is. A multidimensional std::vector will not be packed in all dimensions.

    Given the following declarations:

    int cConc[3][5];
    std::array<std::array<int, 5>, 3> aConc;
    int **ptrConc;      // initialized to [3][5] via new and destructed via delete
    std::vector<std::vector<int>> vConc;    // initialized to [3][5]
    

    A pointer to the first element in the c-style array (cConc) or the std::array (aConc) can be iterated through the entire array by adding 1 to each preceding element. They are tightly packed.

    A pointer to the first element in the vector array (vConc) or the pointer array (ptrConc) can only be iterated through the first 5 (in this case) elements, and then there are 12 bytes (on my system) of overhead for the next vector.

    This means that a std::vector> array initialized as a [3][1000] array will be much smaller in memory than one initialized as a [1000][3] array, and both will be larger in memory than a std:array allocated either way.

    This also means that you can't simply pass a multidimensional vector (or pointer) array to, say, openGL without accounting for the memory overhead, but you can naively pass a multidimensional std::array to openGL and have it work out.

    fatal: git-write-tree: error building trees

    This happened for me when I was trying to stash my changes, but then my changes had conflicts with my branch's current state.

    So I did git reset --mixed and then resolved the git conflict and stashed again.

    Is it necessary to assign a string to a variable before comparing it to another?

    You can also use the NSString class methods which will also create an autoreleased instance and have more options like string formatting:

    NSString *myString = [NSString stringWithString:@"abc"];
    NSString *myString = [NSString stringWithFormat:@"abc %d efg", 42];
    

    What's the Use of '\r' escape sequence?

    \r is a carriage return character; it tells your terminal emulator to move the cursor at the start of the line.

    The cursor is the position where the next characters will be rendered.

    So, printing a \r allows to override the current line of the terminal emulator.

    Tom Zych figured why the output of your program is o world while the \r is at the end of the line and you don't print anything after that:

    When your program exits, the shell prints the command prompt. The terminal renders it where you left the cursor. Your program leaves the cursor at the start of the line, so the command prompt partly overrides the line you printed. This explains why you seen your command prompt followed by o world.

    The online compiler you mention just prints the raw output to the browser. The browser ignores control characters, so the \r has no effect.

    See https://en.wikipedia.org/wiki/Carriage_return

    Here is a usage example of \r:

    #include <stdio.h>
    #include <unistd.h>
    
    int main()
    {
            char chars[] = {'-', '\\', '|', '/'};
            unsigned int i;
    
            for (i = 0; ; ++i) {
                    printf("%c\r", chars[i % sizeof(chars)]);
                    fflush(stdout);
                    usleep(200000);
            }
    
            return 0;
    }
    

    It repeatedly prints the characters - \ | / at the same position to give the illusion of a rotating | in the terminal.

    Refresh a page using PHP

    You can do it with PHP:

    header("Refresh:0");
    

    It refreshes your current page, and if you need to redirect it to another page, use following:

    header("Refresh:0; url=page2.php");
    

    How to add native library to "java.library.path" with Eclipse launch (instead of overriding it)

    In Windows, like this:

    -Djava.library.path="C:/MyLibPath;%PATH%"

    %PATH% is your old -Djava.library.path

    How to Auto-start an Android Application?

    Edit your AndroidManifest.xml to add RECEIVE_BOOT_COMPLETED permission

    <uses-permission android:name="android.permission.RECEIVE_BOOT_COMPLETED" />
    

    Edit your AndroidManifest.xml application-part for below Permission

    <receiver android:enabled="true" android:name=".BootUpReceiver"
    android:permission="android.permission.RECEIVE_BOOT_COMPLETED">
        <intent-filter>
            <action android:name="android.intent.action.BOOT_COMPLETED" />
            <category android:name="android.intent.category.DEFAULT" />
        </intent-filter>
    </receiver>
    

    Now write below in Activity.

    public class BootUpReceiver extends BroadcastReceiver{
        @Override
        public void onReceive(Context context, Intent intent) {
            Intent i = new Intent(context, MyActivity.class);  
            i.addFlags(Intent.FLAG_ACTIVITY_NEW_TASK);
            context.startActivity(i);  
        }
    }
    

    How to extract numbers from string in c?

    Make a state machine that operates on one basic principle: is the current character a number.

    • When transitioning from non-digit to digit, you initialize your current_number := number.
    • when transitioning from digit to digit, you "shift" the new digit in:
      current_number := current_number * 10 + number;
    • when transitioning from digit to non-digit, you output the current_number
    • when from non-digit to non-digit, you do nothing.

    Optimizations are possible.

    Is there a MySQL option/feature to track history of changes to records?

    It's subtle.

    If the business requirement is "I want to audit the changes to the data - who did what and when?", you can usually use audit tables (as per the trigger example Keethanjan posted). I'm not a huge fan of triggers, but it has the great benefit of being relatively painless to implement - your existing code doesn't need to know about the triggers and audit stuff.

    If the business requirement is "show me what the state of the data was on a given date in the past", it means that the aspect of change over time has entered your solution. Whilst you can, just about, reconstruct the state of the database just by looking at audit tables, it's hard and error prone, and for any complicated database logic, it becomes unwieldy. For instance, if the business wants to know "find the addresses of the letters we should have sent to customers who had outstanding, unpaid invoices on the first day of the month", you likely have to trawl half a dozen audit tables.

    Instead, you can bake the concept of change over time into your schema design (this is the second option Keethanjan suggests). This is a change to your application, definitely at the business logic and persistence level, so it's not trivial.

    For example, if you have a table like this:

    CUSTOMER
    ---------
    CUSTOMER_ID PK
    CUSTOMER_NAME
    CUSTOMER_ADDRESS
    

    and you wanted to keep track over time, you would amend it as follows:

    CUSTOMER
    ------------
    CUSTOMER_ID            PK
    CUSTOMER_VALID_FROM    PK
    CUSTOMER_VALID_UNTIL   PK
    CUSTOMER_STATUS
    CUSTOMER_USER
    CUSTOMER_NAME
    CUSTOMER_ADDRESS
    

    Every time you want to change a customer record, instead of updating the record, you set the VALID_UNTIL on the current record to NOW(), and insert a new record with a VALID_FROM (now) and a null VALID_UNTIL. You set the "CUSTOMER_USER" status to the login ID of the current user (if you need to keep that). If the customer needs to be deleted, you use the CUSTOMER_STATUS flag to indicate this - you may never delete records from this table.

    That way, you can always find what the status of the customer table was for a given date - what was the address? Have they changed name? By joining to other tables with similar valid_from and valid_until dates, you can reconstruct the entire picture historically. To find the current status, you search for records with a null VALID_UNTIL date.

    It's unwieldy (strictly speaking, you don't need the valid_from, but it makes the queries a little easier). It complicates your design and your database access. But it makes reconstructing the world a lot easier.

    Clicking at coordinates without identifying element

    This can be done using Actions class in java

    Use following code -

    new Actions(driver).moveByOffset(x coordinate, y coordinate).click().build().perform(); 
    

    Note: Selenium 3 doesn't support Actions class for geckodriver

    Also, note that x and y co-ordinates are relative values from current mouse position. Assuming mouse co-ordinates are at (0,0) to start with, if you want to use absolute values, you can perform the below action immediately after you clicked on it using the above code.

    new Actions(driver).moveByOffset(-x coordinate, -y coordinate).perform();

    Android: How to bind spinner to custom object list?

    For simple solutions you can just Overwrite the "toString" in your object

    public class User{
        public int ID;
        public String name;
    
        @Override
        public String toString() {
            return name;
        }
    }
    

    and then you can use:

    ArrayAdapter<User> dataAdapter = new ArrayAdapter<User>(mContext, android.R.layout.simple_spinner_item, listOfUsers);
    

    This way your spinner will show only the user names.

    Why is JavaFX is not included in OpenJDK 8 on Ubuntu Wily (15.10)?

    I use ubuntu 16.04 and because I already had openJDK installed, this command have solved the problem. Don't forget that JavaFX is part of OpenJDK.

    sudo apt-get install openjfx
    

    How is the java memory pool divided?

    Java Heap Memory is part of memory allocated to JVM by Operating System.

    Objects reside in an area called the heap. The heap is created when the JVM starts up and may increase or decrease in size while the application runs. When the heap becomes full, garbage is collected.

    enter image description here

    You can find more details about Eden Space, Survivor Space, Tenured Space and Permanent Generation in below SE question:

    Young , Tenured and Perm generation

    PermGen has been replaced with Metaspace since Java 8 release.

    Regarding your queries:

    1. Eden Space, Survivor Space, Tenured Space are part of heap memory
    2. Metaspace and Code Cache are part of non-heap memory.

    Codecache: The Java Virtual Machine (JVM) generates native code and stores it in a memory area called the codecache. The JVM generates native code for a variety of reasons, including for the dynamically generated interpreter loop, Java Native Interface (JNI) stubs, and for Java methods that are compiled into native code by the just-in-time (JIT) compiler. The JIT is by far the biggest user of the codecache.

    I want my android application to be only run in portrait mode?

    in the manifest:

    <activity android:name=".activity.MainActivity"
            android:screenOrientation="portrait"
            tools:ignore="LockedOrientationActivity">
            <intent-filter>
                <action android:name="android.intent.action.MAIN" />
                <category android:name="android.intent.category.LAUNCHER" />
            </intent-filter>
        </activity>
    

    or : in the MainActivity

    @SuppressLint("SourceLockedOrientationActivity")
    @Override
    protected void onCreate(Bundle savedInstanceState) {
        super.onCreate(savedInstanceState);
        setContentView(R.layout.activity_main);
        setRequestedOrientation(ActivityInfo.SCREEN_ORIENTATION_PORTRAIT);
    

    How to use pull to refresh in Swift?

    I built a RSS feed app in which I have a Pull To refresh feature that originally had some of the problems listed above.

    But to add to the users answers above, I was looking everywhere for my use case and could not find it. I was downloading data from the web (RSSFeed) and I wanted to pull down on my tableView of stories to refresh.

    What is mentioned above cover the right areas but with some of the problems people are having, here is what I did and it works a treat:

    I took @Blankarsch 's approach and went to my main.storyboard and select the table view to use refresh, then what wasn't mentioned is creating IBOutlet and IBAction to use the refresh efficiently

    _x000D_
    _x000D_
    //Created from main.storyboard cntrl+drag refresh from left scene to assistant editor_x000D_
    @IBOutlet weak var refreshButton: UIRefreshControl_x000D_
    _x000D_
    override func viewDidLoad() {_x000D_
      ...... _x000D_
      ......_x000D_
      //Include your code_x000D_
      ......_x000D_
      ......_x000D_
      //Is the function called below, make sure to put this in your viewDidLoad _x000D_
      //method or not data will be visible when running the app_x000D_
      getFeedData()_x000D_
    }_x000D_
    _x000D_
    //Function the gets my data/parse my data from the web (if you havnt already put this in a similar function)_x000D_
    //remembering it returns nothing, hence return type is "-> Void"_x000D_
    func getFeedData() -> Void{_x000D_
      ....._x000D_
      ....._x000D_
    }_x000D_
    _x000D_
    //From main.storyboard cntrl+drag to assistant editor and this time create an action instead of outlet and _x000D_
    //make sure arguments are set to none and note sender_x000D_
    @IBAction func refresh() {_x000D_
      //getting our data by calling the function which gets our data/parse our data_x000D_
      getFeedData()_x000D_
    _x000D_
      //note: refreshControl doesnt need to be declared it is already initailized. Got to love xcode_x000D_
      refreshControl?.endRefreshing()_x000D_
    }
    _x000D_
    _x000D_
    _x000D_

    Hope this helps anyone in same situation as me

    angular2: Error: TypeError: Cannot read property '...' of undefined

    Safe navigation operator or Existential Operator or Null Propagation Operator is supported in Angular Template. Suppose you have Component class

      myObj:any = {
        doSomething: function () { console.log('doing something'); return 'doing something'; },
      };
      myArray:any;
      constructor() { }
    
      ngOnInit() {
        this.myArray = [this.myObj];
      }
    

    You can use it in template html file as following:

    <div>test-1: {{  myObj?.doSomething()}}</div>
    <div>test-2: {{  myArray[0].doSomething()}}</div>
    <div>test-3: {{  myArray[2]?.doSomething()}}</div>
    

    How to add a single item to a Pandas Series

    Adding to joquin's answer the following form might be a bit cleaner (at least nicer to read):

    x = p.Series()
    N = 4
    for i in xrange(N):
       x[i] = i**2
    

    which would produce the same output

    also, a bit less orthodox but if you wanted to simply add a single element to the end:

    x=p.Series()
    value_to_append=5
    x[len(x)]=value_to_append
    

    Java 8 Lambda filter by Lists

    Something like:

    clients.stream.filter(c->{
       users.stream.filter(u->u.getName().equals(c.getName()).count()>0
    }).collect(Collectors.toList());
    

    This is however not an awfully efficient way to do it. Unless the collections are very small, you will be better of building a set of user names and using that in the condition.

    How to disable scientific notation?

    You can effectively remove scientific notation in printing with this code:

    options(scipen=999)
    

    What exactly is the 'react-scripts start' command?

    As Sagiv b.g. pointed out, the npm start command is a shortcut for npm run start. I just wanted to add a real-life example to clarify it a bit more.

    The setup below comes from the create-react-app github repo. The package.json defines a bunch of scripts which define the actual flow.

    "scripts": {
      "start": "npm-run-all -p watch-css start-js",
      "build": "npm run build-css && react-scripts build",
      "watch-css": "npm run build-css && node-sass-chokidar --include-path ./src --include-path ./node_modules src/ -o src/ --watch --recursive",
      "build-css": "node-sass-chokidar --include-path ./src --include-path ./node_modules src/ -o src/",
      "start-js": "react-scripts start"
    },
    

    For clarity, I added a diagram. enter image description here

    The blue boxes are references to scripts, all of which you could executed directly with an npm run <script-name> command. But as you can see, actually there are only 2 practical flows:

    • npm run start
    • npm run build

    The grey boxes are commands which can be executed from the command line.

    So, for instance, if you run npm start (or npm run start) that actually translate to the npm-run-all -p watch-css start-js command, which is executed from the commandline.

    In my case, I have this special npm-run-all command, which is a popular plugin that searches for scripts that start with "build:", and executes all of those. I actually don't have any that match that pattern. But it can also be used to run multiple commands in parallel, which it does here, using the -p <command1> <command2> switch. So, here it executes 2 scripts, i.e. watch-css and start-js. (Those last mentioned scripts are watchers which monitor file changes, and will only finish when killed.)

    • The watch-css makes sure that the *.scss files are translated to *.cssfiles, and looks for future updates.

    • The start-js points to the react-scripts start which hosts the website in a development mode.

    In conclusion, the npm start command is configurable. If you want to know what it does, then you have to check the package.json file. (and you may want to make a little diagram when things get complicated).

    What is the difference between compileSdkVersion and targetSdkVersion?

    My 2 cents: Compile against any version of the SDK but take care not to call any APIs that your "minimum SDK version" does not support. That means you "could" compile against the latest version of the SDK.

    As for "target version" it simply refers to what you planned to target in the first place and have possibly tested against. If you haven't done the due diligence then this is the way to inform Android that it needs to perform some additional checks before it deploys your lets say "Lollipop" targeted app on "Oreo".

    So the "target version" is obviously not lower than your "minimum SDK version" but it can't be higher than your "compiled version".

    Xcode error - Thread 1: signal SIGABRT

    SIGABRT is, as stated in other answers, a general uncaught exception. You should definitely learn a little bit more about Objective-C. The problem is probably in your UITableViewDelegate method didSelectRowAtIndexPath.

    - (void)tableView:(UITableView *)tableView didSelectRowAtIndexPath:(NSIndexPath *)indexPath
    

    I can't tell you much more until you show us something of the code where you handle the table data source and delegate methods.

    What is a magic number, and why is it bad?

    What about initializing a variable at the top of the class with a default value? For example:

    public class SomeClass {
        private int maxRows = 15000;
        ...
        // Inside another method
        for (int i = 0; i < maxRows; i++) {
            // Do something
        }
    
        public void setMaxRows(int maxRows) {
            this.maxRows = maxRows;
        }
    
        public int getMaxRows() {
            return this.maxRows;
        }
    

    In this case, 15000 is a magic number (according to CheckStyles). To me, setting a default value is okay. I don't want to have to do:

    private static final int DEFAULT_MAX_ROWS = 15000;
    private int maxRows = DEFAULT_MAX_ROWS;
    

    Does that make it more difficult to read? I never considered this until I installed CheckStyles.

    Use of alloc init instead of new

    If new does the job for you, then it will make your code modestly smaller as well. If you would otherwise call [[SomeClass alloc] init] in many different places in your code, you will create a Hot Spot in new's implementation - that is, in the objc runtime - that will reduce the number of your cache misses.

    In my understanding, if you need to use a custom initializer use [[SomeClass alloc] initCustom].

    If you don't, use [SomeClass new].

    How to get twitter bootstrap modal to close (after initial launch)

    I had the same problem in the iphone or desktop, didnt manage to close the dialog when pressing the close button.

    i found out that The <button> tag defines a clickable button and is needed to specify the type attribute for a element as follow:

    <button type="button" class="btn btn-default" data-dismiss="modal">Close</button>
    

    check the example code for bootstrap modals at : BootStrap javascript Page

    Sending cookies with postman

    I was having issues getting this working (on OSX). I'd followed the instructions provided by Postman, and the advice here, and cookies were still not being set.

    However, the post above saying "So if you enable interceptor only in browser - it will not work" alerted me to the fact that the interceptor could be enabled in the browser as well as in Postman itself. I thought I'd try switching it on in the browser, to see if that helped, and it did. I then switched it off in the browser, and it still worked.

    So, if you are having issues getting it working, I'd suggest trying switching it on in browser at least once, as, for me, this seemed to trigger it into life. I think you will still need it switch on in Postman too.

    How to get margin value of a div in plain JavaScript?

    I found something very useful on this site when I was searching for an answer on this question. You can check it out at http://www.codingforums.com/javascript-programming/230503-how-get-margin-left-value.html. The part that helped me was the following:

    _x000D_
    _x000D_
    /***
     * get live runtime value of an element's css style
     *   http://robertnyman.com/2006/04/24/get-the-rendered-style-of-an-element
     *     note: "styleName" is in CSS form (i.e. 'font-size', not 'fontSize').
     ***/
    var getStyle = function(e, styleName) {
      var styleValue = "";
      if (document.defaultView && document.defaultView.getComputedStyle) {
        styleValue = document.defaultView.getComputedStyle(e, "").getPropertyValue(styleName);
      } else if (e.currentStyle) {
        styleName = styleName.replace(/\-(\w)/g, function(strMatch, p1) {
          return p1.toUpperCase();
        });
        styleValue = e.currentStyle[styleName];
      }
      return styleValue;
    }
    ////////////////////////////////////
    var e = document.getElementById('yourElement');
    var marLeft = getStyle(e, 'margin-left');
    console.log(marLeft);    // 10px
    _x000D_
    #yourElement {
      margin-left: 10px;
    }
    _x000D_
    <div id="yourElement"></div>
    _x000D_
    _x000D_
    _x000D_

    Storing Form Data as a Session Variable

    You can solve this problem using this code:

    if(!empty($_GET['variable from which you get'])) 
    {
    $_SESSION['something']= $_GET['variable from which you get'];
    }
    

    So you get the variable from a GET form, you will store in the $_SESSION['whatever'] variable just once when $_GET['variable from which you get']is set and if it is empty $_SESSION['something'] will store the old parameter

    Connection reset by peer: mod_fcgid: error reading data from FastCGI server

    In my case I was using a custom extension for my PHP files and I had to edit /etc/apache2/conf-available/php7.2-fpm.conf and add the following code:

        <FilesMatch ".+\.YOUR_CUSTOM_EXTENSION$">
            SetHandler "proxy:unix:/run/php/php7.2-fpm.sock|fcgi://localhost"
        </FilesMatch>
    

    jQuery Dialog Box

    If you need to use multiple dialog boxes on one page and open, close and reopen them the following works well:

     JS CODE:
        $(".sectionHelp").click(function(){
            $("#dialog_"+$(this).attr('id')).dialog({autoOpen: false});
            $("#dialog_"+$(this).attr('id')).dialog("open");
        });
    
     HTML: 
        <div class="dialog" id="dialog_help1" title="Dialog Title 1">
            <p>Dialog 1</p>
        </div>
        <div class="dialog" id="dialog_help2" title="Dialog Title 2">
            <p>Dialog 2 </p>
        </div>
    
        <a href="#" id="help1" class="sectionHelp"></a>
        <a href="#" id="help2" class="sectionHelp"></a>
    
     CSS:
        div.dialog{
          display:none;
        }
    

    Entity Framework : How do you refresh the model when the db changes?

    I have found the designer "update from database" can only handle small changes. If you have deleted tables, changed foreign keys or (gasp) changed the signature of a stored procedure with a function mapping, you will eventually get to such a messed up state you will have to either delete all the entities and "add from database" or simply delete the edmx resource and start over.

    Python 3.4.0 with MySQL database

    Use mysql-connector-python. I prefer to install it with pip from PyPI:

    pip install --allow-external mysql-connector-python mysql-connector-python
    

    Have a look at its documentation and examples.

    If you are going to use pooling make sure your database has enough connections available as the default settings may not be enough.

    Fatal error: Call to undefined function imap_open() in PHP

    During migration from Ubuntu 12.04 to 14.04 I stumbled over this as well and wanted to share that as of Ubuntu 14.04 LTS the IMAP extension seems no longer to be loaded per default.

    Check to verify if the extension is installed:

    dpkg -l | grep php5-imap
    

    should give a response like this:

    ii  php5-imap       5.4.6-0ubuntu5   amd64        IMAP module for php5
    

    if not, install it.

    To actually enable the extension

    cd /etc/php5/apache2/conf.d
    ln -s ../../mods-available/imap.ini 20-imap.ini
    service apache2 restart
    

    should fix it for apache. For CLI do the same in /etc/php5/cli/conf.d

    How to get client IP address using jQuery

    
    <html lang="en">
    <head>
        <title>Jquery - get ip address</title>
        <script type="text/javascript" src="//cdn.jsdelivr.net/jquery/1/jquery.min.js"></script>
    </head>
    <body>
    
    
    <h1>Your Ip Address : <span class="ip"></span></h1>
    
    
    <script type="text/javascript">
        $.getJSON("http://jsonip.com?callback=?", function (data) {
            $(".ip").text(data.ip);
        });
    </script>
    
    
    </body>
    </html>
    

    How to declare a structure in a header that is to be used by multiple files in c?

    a.h:

    #ifndef A_H
    #define A_H
    
    struct a { 
        int i;
        struct b {
            int j;
        }
    };
    
    #endif
    

    there you go, now you just need to include a.h to the files where you want to use this structure.

    what do <form action="#"> and <form method="post" action="#"> do?

    The # tag lets you send your data to the same file. I see it as a three step process:

    1. Query a DB to populate a from
    2. Allow the user to change data in the form
    3. Resubmit the data to the DB via the php script

    With the method='#' you can do all of this in the same file.

    After the submit query is executed the page will reload with the updated data from the DB.

    When should static_cast, dynamic_cast, const_cast and reinterpret_cast be used?

    Use dynamic_cast for converting pointers/references within an inheritance hierarchy.

    Use static_cast for ordinary type conversions.

    Use reinterpret_cast for low-level reinterpreting of bit patterns. Use with extreme caution.

    Use const_cast for casting away const/volatile. Avoid this unless you are stuck using a const-incorrect API.

    throwing an exception in objective-c/cocoa

    Use NSError to communicate failures rather than exceptions.

    Quick points about NSError:

    • NSError allows for C style error codes (integers) to clearly identify the root cause and hopefully allow the error handler to overcome the error. You can wrap error codes from C libraries like SQLite in NSError instances very easily.

    • NSError also has the benefit of being an object and offers a way to describe the error in more detail with its userInfo dictionary member.

    • But best of all, NSError CANNOT be thrown so it encourages a more proactive approach to error handling, in contrast to other languages which simply throw the hot potato further and further up the call stack at which point it can only be reported to the user and not handled in any meaningful way (not if you believe in following OOP's biggest tenet of information hiding that is).

    Reference Link: Reference

    Regex Match all characters between two strings

    You can simply use this: \This is .*? \sentence

    calculating execution time in c++

    If you have cygwin installed, from it's bash shell, run your executable, say MyProgram, using the time utility, like so:

    /usr/bin/time ./MyProgram
    

    This will report how long the execution of your program took -- the output would look something like the following:

    real    0m0.792s
    user    0m0.046s
    sys     0m0.218s
    

    You could also manually modify your C program to instrument it using the clock() library function, like so:

    #include <time.h>
    int main(void) {
        clock_t tStart = clock();
        /* Do your stuff here */
        printf("Time taken: %.2fs\n", (double)(clock() - tStart)/CLOCKS_PER_SEC);
        return 0;
    }
    

    Random state (Pseudo-random number) in Scikit learn

    If there is no randomstate provided the system will use a randomstate that is generated internally. So, when you run the program multiple times you might see different train/test data points and the behavior will be unpredictable. In case, you have an issue with your model you will not be able to recreate it as you do not know the random number that was generated when you ran the program.

    If you see the Tree Classifiers - either DT or RF, they try to build a try using an optimal plan. Though most of the times this plan might be the same there could be instances where the tree might be different and so the predictions. When you try to debug your model you may not be able to recreate the same instance for which a Tree was built. So, to avoid all this hassle we use a random_state while building a DecisionTreeClassifier or RandomForestClassifier.

    PS: You can go a bit in depth on how the Tree is built in DecisionTree to understand this better.

    randomstate is basically used for reproducing your problem the same every time it is run. If you do not use a randomstate in traintestsplit, every time you make the split you might get a different set of train and test data points and will not help you in debugging in case you get an issue.

    From Doc:

    If int, randomstate is the seed used by the random number generator; If RandomState instance, randomstate is the random number generator; If None, the random number generator is the RandomState instance used by np.random.

    YouTube URL in Video Tag

    The most straight forward answer to this question is: You can't.

    Youtube doesn't output their video's in the right format, thus they can't be embedded in a
    <video/> element.

    There are a few solutions posted using javascript, but don't trust on those, they all need a fallback, and won't work cross-browser.

    Variables not showing while debugging in Eclipse

    try a right click on the variable and select inspect, then it should come up in a popup window

    anaconda/conda - install a specific package version

    There is no version 1.3.0 for rope. 1.3.0 refers to the package cached-property. The highest available version of rope is 0.9.4.

    You can install different versions with conda install package=version. But in this case there is only one version of rope so you don't need that.

    The reason you see the cached-property in this listing is because it contains the string "rope": "cached-p rope erty"

    py35_0 means that you need python version 3.5 for this specific version. If you only have python3.4 and the package is only for version 3.5 you cannot install it with conda.

    I am not quite sure on the defaults either. It should be an indication that this package is inside the default conda channel.

    Arguments to main in C

    Imagine it this way

    *main() is also a function which is called by something else (like another FunctioN)
    
    *the arguments to it is decided by the FunctioN
    
    *the second argument is an array of strings
    
    *the first argument is a number representing the number of strings
    
    *do something with the strings
    

    Maybe a example program woluld help.

    int main(int argc,char *argv[])
    {
    
        printf("you entered in reverse order:\n");
    
        while(argc--)
        {
            printf("%s\n",argv[argc]);
        }
    
    return 0;
    }
    

    it just prints everything you enter as args in reverse order but YOU should make new programs that do something more useful.

    compile it (as say hello) run it from the terminal with the arguments like

    ./hello am i here
    

    then try to modify it so that it tries to check if two strings are reverses of each other or not then you will need to check if argc parameter is exactly three if anything else print an error

    if(argc!=3)/*3 because even the executables name string is on argc*/
    {
        printf("unexpected number of arguments\n");
        return -1;
    }
    

    then check if argv[2] is the reverse of argv[1] and print the result

    ./hello asdf fdsa
    

    should output

    they are exact reverses of each other
    

    the best example is a file copy program try it it's like cp

    cp file1 file2

    cp is the first argument (argv[0] not argv[1]) and mostly you should ignore the first argument unless you need to reference or something

    if you made the cp program you understood the main args really...

    T-SQL and the WHERE LIKE %Parameter% clause

    The correct answer is, that, because the '%'-sign is part of your search expression, it should be part of your VALUE, so whereever you SET @LastName (be it from a programming language or from TSQL) you should set it to '%' + [userinput] + '%'

    or, in your example:

    DECLARE @LastName varchar(max)
    SET @LastName = 'ning'
    SELECT Employee WHERE LastName LIKE '%' + @LastName + '%'
    

    Monitoring the Full Disclosure mailinglist

    Two generic ways to do the same thing... I'm not aware of any specific open solutions to do this, but it'd be rather trivial to do.

    You could write a daily or weekly cron/jenkins job to scrape the previous time period's email from the archive looking for your keyworkds/combinations. Sending a batch digest with what it finds, if anything.

    But personally, I'd Setup a specific email account to subscribe to the various security lists you're interested in. Add a simple automated script to parse the new emails for various keywords or combinations of keywords, when it finds a match forward that email on to you/your team. Just be sure to keep the keywords list updated with new products you're using.

    You could even do this with a gmail account and custom rules, which is what I currently do, but I have setup an internal inbox in the past with a simple python script to forward emails that were of interest.

    c++ Read from .csv file

    You can follow this answer to see many different ways to process CSV in C++.

    In your case, the last call to getline is actually putting the last field of the first line and then all of the remaining lines into the variable genero. This is because there is no space delimiter found up until the end of file. Try changing the space character into a newline instead:

        getline(file, genero, file.widen('\n'));
    

    or more succinctly:

        getline(file, genero);
    

    In addition, your check for file.good() is premature. The last newline in the file is still in the input stream until it gets discarded by the next getline() call for ID. It is at this point that the end of file is detected, so the check should be based on that. You can fix this by changing your while test to be based on the getline() call for ID itself (assuming each line is well formed).

    while (getline(file, ID, ',')) {
        cout << "ID: " << ID << " " ; 
    
        getline(file, nome, ',') ;
        cout << "User: " << nome << " " ;
    
        getline(file, idade, ',') ;
        cout << "Idade: " << idade << " "  ; 
    
        getline(file, genero);
        cout << "Sexo: " <<  genero<< " "  ;
    }
    

    For better error checking, you should check the result of each call to getline().

    ASP.NET Core Identity - get current user

    Assuming your code is inside an MVC controller:

    public class MyController : Microsoft.AspNetCore.Mvc.Controller
    

    From the Controller base class, you can get the IClaimsPrincipal from the User property

    System.Security.Claims.ClaimsPrincipal currentUser = this.User;
    

    You can check the claims directly (without a round trip to the database):

    bool IsAdmin = currentUser.IsInRole("Admin");
    var id = _userManager.GetUserId(User); // Get user id:
    

    Other fields can be fetched from the database's User entity:

    1. Get the user manager using dependency injection

      private UserManager<ApplicationUser> _userManager;
      
      //class constructor
      public MyController(UserManager<ApplicationUser> userManager)
      {
          _userManager = userManager;
      }
      
    2. And use it:

      var user = await _userManager.GetUserAsync(User);
      var email = user.Email;
      

    Monad in plain English? (For the OOP programmer with no FP background)

    Monads in typical usage are the functional equivalent of procedural programming's exception handling mechanisms.

    In modern procedural languages, you put an exception handler around a sequence of statements, any of which may throw an exception. If any of the statements throws an exception, normal execution of the sequence of statements halts and transfers to an exception handler.

    Functional programming languages, however, philosophically avoid exception handling features due to the "goto" like nature of them. The functional programming perspective is that functions should not have "side-effects" like exceptions that disrupt program flow.

    In reality, side-effects cannot be ruled out in the real world due primarily to I/O. Monads in functional programming are used to handle this by taking a set of chained function calls (any of which might produce an unexpected result) and turning any unexpected result into encapsulated data that can still flow safely through the remaining function calls.

    The flow of control is preserved but the unexpected event is safely encapsulated and handled.

    Regular expression negative lookahead

    If you revise your regular expression like this:

    drupal-6.14/(?=sites(?!/all|/default)).*
                 ^^
    

    ...then it will match all inputs that contain drupal-6.14/ followed by sites followed by anything other than /all or /default. For example:

    drupal-6.14/sites/foo
    drupal-6.14/sites/bar
    drupal-6.14/sitesfoo42
    drupal-6.14/sitesall
    

    Changing ?= to ?! to match your original regex simply negates those matches:

    drupal-6.14/(?!sites(?!/all|/default)).*
                 ^^
    

    So, this simply means that drupal-6.14/ now cannot be followed by sites followed by anything other than /all or /default. So now, these inputs will satisfy the regex:

    drupal-6.14/sites/all
    drupal-6.14/sites/default
    drupal-6.14/sites/all42
    

    But, what may not be obvious from some of the other answers (and possibly your question) is that your regex will also permit other inputs where drupal-6.14/ is followed by anything other than sites as well. For example:

    drupal-6.14/foo
    drupal-6.14/xsites
    

    Conclusion: So, your regex basically says to include all subdirectories of drupal-6.14 except those subdirectories of sites whose name begins with anything other than all or default.

    How to measure time taken between lines of code in python?

    With a help of a small convenience class, you can measure time spent in indented lines like this:

    with CodeTimer():
       line_to_measure()
       another_line()
       # etc...
    

    Which will show the following after the indented line(s) finishes executing:

    Code block took: x.xxx ms
    

    UPDATE: You can now get the class with pip install linetimer and then from linetimer import CodeTimer. See this GitHub project.

    The code for above class:

    import timeit
    
    class CodeTimer:
        def __init__(self, name=None):
            self.name = " '"  + name + "'" if name else ''
    
        def __enter__(self):
            self.start = timeit.default_timer()
    
        def __exit__(self, exc_type, exc_value, traceback):
            self.took = (timeit.default_timer() - self.start) * 1000.0
            print('Code block' + self.name + ' took: ' + str(self.took) + ' ms')
    

    You could then name the code blocks you want to measure:

    with CodeTimer('loop 1'):
       for i in range(100000):
          pass
    
    with CodeTimer('loop 2'):
       for i in range(100000):
          pass
    
    Code block 'loop 1' took: 4.991 ms
    Code block 'loop 2' took: 3.666 ms
    

    And nest them:

    with CodeTimer('Outer'):
       for i in range(100000):
          pass
    
       with CodeTimer('Inner'):
          for i in range(100000):
             pass
    
       for i in range(100000):
          pass
    
    Code block 'Inner' took: 2.382 ms
    Code block 'Outer' took: 10.466 ms
    

    Regarding timeit.default_timer(), it uses the best timer based on OS and Python version, see this answer.

    How do I count cells that are between two numbers in Excel?

    Example-

    For cells containing the values between 21-31, the formula is:

    =COUNTIF(M$7:M$83,">21")-COUNTIF(M$7:M$83,">31")
    

    Access mysql remote database from command line

    mysql servers are usually configured to listen only to localhost (127.0.0.1), where they are used by web applications.

    If that is your case but you have SSH access to your server, you can create an ssh tunnel and connect through that.

    On your local machine, create the tunnel.

    ssh -L 3307:127.0.0.1:3306 -N $user@$remote_host
    

    (this example uses local port 3307, in case you also have mysql running on your local machine and using the standard port 3306)

    Now you should be ale to connect with

    mysql -u $user -p -h 127.0.0.1 -P 3307
    

    How to draw a checkmark / tick using CSS?

    only css, quite simple I find it:

    _x000D_
    _x000D_
    .checkmark {_x000D_
          display: inline-block;_x000D_
          transform: rotate(45deg);_x000D_
          height: 25px;_x000D_
          width: 12px;_x000D_
          margin-left: 60%; _x000D_
          border-bottom: 7px solid #78b13f;_x000D_
          border-right: 7px solid #78b13f;_x000D_
        }
    _x000D_
    <div class="checkmark"></div>
    _x000D_
    _x000D_
    _x000D_

    How to correctly use the extern keyword in C

    In C, 'extern' is implied for function prototypes, as a prototype declares a function which is defined somewhere else. In other words, a function prototype has external linkage by default; using 'extern' is fine, but is redundant.

    (If static linkage is required, the function must be declared as 'static' both in its prototype and function header, and these should normally both be in the same .c file).

    javascript, for loop defines a dynamic variable name

    I think you could do it by creating parameters in an object maybe?

    var myObject = {}; for(var i=0;i<myArray.length;i++) {     myObject[ myArray[i] ]; } 

    If you don't set them to anything, you'll just have an object with some parameters that are undefined. I'd have to write this myself to be sure though.

    Command to get time in milliseconds

    Here is a somehow portable hack for Linux for getting time in milliseconds:

    #!/bin/sh
    read up rest </proc/uptime; t1="${up%.*}${up#*.}"
    sleep 3    # your command
    read up rest </proc/uptime; t2="${up%.*}${up#*.}"
    
    millisec=$(( 10*(t2-t1) ))
    echo $millisec
    

    The output is:

    3010
    

    This is a very cheap operation, which works with shell internals and procfs.

    How can I express that two values are not equal to eachother?

    "Not equals" can be expressed with the "not" operator ! and the standard .equals.

    if (a.equals(b)) // a equals b
    if (!a.equals(b)) // a not equal to b
    

    PHP - syntax error, unexpected T_CONSTANT_ENCAPSED_STRING

    When you're working with strings in PHP you'll need to pay special attention to the formation, using " or '

    $string = 'Hello, world!';
    $string = "Hello, world!";
    

    Both of these are valid, the following is not:

    $string = "Hello, world';
    

    You must also note that ' inside of a literal started with " will not end the string, and vice versa. So when you have a string which contains ', it is generally best practice to use double quotation marks.

    $string = "It's ok here";
    

    Escaping the string is also an option

    $string = 'It\'s ok here too';
    

    More information on this can be found within the documentation

    Array String Declaration

    You are not initializing your String[]. You either need to initialize it using the exact array size, as suggested by @Tr?nSiLong, or use a List<String> and then convert to a String[] (in case you do not know the length):

    String[] title = {
            "Abundance",
            "Anxiety",
            "Bruxism",
            "Discipline",
            "Drug Addiction"
        };
    String urlbase = "http://www.somewhere.com/data/";
    String imgSel = "/logo.png";
    List<String> mStrings = new ArrayList<String>();
    
    for(int i=0;i<title.length;i++) {
        mStrings.add(urlbase + title[i].toLowerCase() + imgSel);
    
        System.out.println(mStrings[i]);
    }
    
    String[] strings = new String[mStrings.size()];
    strings = mStrings.toArray(strings);//now strings is the resulting array
    

    How to compare 2 dataTables

        /// <summary>
        /// https://stackoverflow.com/a/45620698/2390270
        /// Compare a source and target datatables and return the row that are the same, different, added, and removed
        /// </summary>
        /// <param name="dtOld">DataTable to compare</param>
        /// <param name="dtNew">DataTable to compare to dtOld</param>
        /// <param name="dtSame">DataTable that would give you the common rows in both</param>
        /// <param name="dtDifferences">DataTable that would give you the difference</param>
        /// <param name="dtAdded">DataTable that would give you the rows added going from dtOld to dtNew</param>
        /// <param name="dtRemoved">DataTable that would give you the rows removed going from dtOld to dtNew</param>
        public static void GetTableDiff(DataTable dtOld, DataTable dtNew, ref DataTable dtSame, ref DataTable dtDifferences, ref DataTable dtAdded, ref DataTable dtRemoved)
        {
            try
            {
                dtAdded = dtOld.Clone();
                dtAdded.Clear();
                dtRemoved = dtOld.Clone();
                dtRemoved.Clear();
                dtSame = dtOld.Clone();
                dtSame.Clear();
                if (dtNew.Rows.Count > 0) dtDifferences.Merge(dtNew.AsEnumerable().Except(dtOld.AsEnumerable(), DataRowComparer.Default).CopyToDataTable<DataRow>());
                if (dtOld.Rows.Count > 0) dtDifferences.Merge(dtOld.AsEnumerable().Except(dtNew.AsEnumerable(), DataRowComparer.Default).CopyToDataTable<DataRow>());
                if (dtOld.Rows.Count > 0 && dtNew.Rows.Count > 0) dtSame = dtOld.AsEnumerable().Intersect(dtNew.AsEnumerable(), DataRowComparer.Default).CopyToDataTable<DataRow>();
                foreach (DataRow row in dtDifferences.Rows)
                {
                    if (dtOld.AsEnumerable().Any(r => Enumerable.SequenceEqual(r.ItemArray, row.ItemArray))
                        && !dtNew.AsEnumerable().Any(r => Enumerable.SequenceEqual(r.ItemArray, row.ItemArray)))
                    {
                        dtRemoved.Rows.Add(row.ItemArray);
                    }
                    else if (dtNew.AsEnumerable().Any(r => Enumerable.SequenceEqual(r.ItemArray, row.ItemArray))
                        && !dtOld.AsEnumerable().Any(r => Enumerable.SequenceEqual(r.ItemArray, row.ItemArray)))
                    {
                        dtAdded.Rows.Add(row.ItemArray);
                    }
                }
            }
            catch (Exception ex)
            {
                Debug.WriteLine(ex.ToString());
            }
        }
    

    CSS table-cell equal width

    Just using max-width: 0 in the display: table-cell element worked for me:

    _x000D_
    _x000D_
    .table {_x000D_
      display: table;_x000D_
      width: 100%;_x000D_
    }_x000D_
    _x000D_
    .table-cell {_x000D_
      display: table-cell;_x000D_
      max-width: 0px;_x000D_
      border: 1px solid gray;_x000D_
    }
    _x000D_
    <div class="table">_x000D_
      <div class="table-cell">short</div>_x000D_
      <div class="table-cell">loooooong</div>_x000D_
      <div class="table-cell">Veeeeeeery loooooong</div>_x000D_
    </div>
    _x000D_
    _x000D_
    _x000D_

    Intercept a form submit in JavaScript and prevent normal submission

    <form id="my-form">
        <input type="text" name="in" value="some data" />
        <button type="submit">Go</button>
    </form>
    

    In JS:

    function processForm(e) {
        if (e.preventDefault) e.preventDefault();
    
        /* do what you want with the form */
    
        // You must return false to prevent the default form behavior
        return false;
    }
    
    var form = document.getElementById('my-form');
    if (form.attachEvent) {
        form.attachEvent("submit", processForm);
    } else {
        form.addEventListener("submit", processForm);
    }
    

    Edit: in my opinion, this approach is better than setting the onSubmit attribute on the form since it maintains separation of mark-up and functionality. But that's just my two cents.

    Edit2: Updated my example to include preventDefault()