Programs & Examples On #Bssid

Basic Service Set Identification - MAC address of an Wireless Access Point.

use "netsh wlan set hostednetwork ..." to create a wifi hotspot and the authentication can't work correctly

Use these commands on a windows command prompt(cmd) with administrator privilege (run as administrator):

netsh wlan set hostednetwork mode=allow ssid=tests key=tests123

netsh wlan start hostednetwork

Then you go to Network and sharing center and click on "change adapter settings" (I'm using windows 7, it can be a little different on windows 8)

Then right click on the lan connection (internet connection that you are using), properties.

Click on sharing tab, select the wireless connection tests (the name tests you can change on the command line) and check "Allow other network users to connect through this network connection"

This done, your connection is ready to use!

Get SSID when WIFI is connected

For me it only worked when I set the permission on the phone itself (settings -> app permissions -> location always on).

How can I get Android Wifi Scan Results into a list?

Try this code

public class WiFiDemo extends Activity implements OnClickListener
 {      
    WifiManager wifi;       
    ListView lv;
    TextView textStatus;
    Button buttonScan;
    int size = 0;
    List<ScanResult> results;

    String ITEM_KEY = "key";
    ArrayList<HashMap<String, String>> arraylist = new ArrayList<HashMap<String, String>>();
    SimpleAdapter adapter;

    /* Called when the activity is first created. */
    @Override
    public void onCreate(Bundle savedInstanceState) 
    {
        super.onCreate(savedInstanceState);
        setContentView(R.layout.main);

        textStatus = (TextView) findViewById(R.id.textStatus);
        buttonScan = (Button) findViewById(R.id.buttonScan);
        buttonScan.setOnClickListener(this);
        lv = (ListView)findViewById(R.id.list);

        wifi = (WifiManager) getApplicationContext().getSystemService(Context.WIFI_SERVICE);
        if (wifi.isWifiEnabled() == false)
        {
            Toast.makeText(getApplicationContext(), "wifi is disabled..making it enabled", Toast.LENGTH_LONG).show();
            wifi.setWifiEnabled(true);
        }   
        this.adapter = new SimpleAdapter(WiFiDemo.this, arraylist, R.layout.row, new String[] { ITEM_KEY }, new int[] { R.id.list_value });
        lv.setAdapter(this.adapter);

        registerReceiver(new BroadcastReceiver()
        {
            @Override
            public void onReceive(Context c, Intent intent) 
            {
               results = wifi.getScanResults();
               size = results.size();
            }
        }, new IntentFilter(WifiManager.SCAN_RESULTS_AVAILABLE_ACTION));                    
    }

    public void onClick(View view) 
    {
        arraylist.clear();          
        wifi.startScan();

        Toast.makeText(this, "Scanning...." + size, Toast.LENGTH_SHORT).show();
        try 
        {
            size = size - 1;
            while (size >= 0) 
            {   
                HashMap<String, String> item = new HashMap<String, String>();                       
                item.put(ITEM_KEY, results.get(size).SSID + "  " + results.get(size).capabilities);

                arraylist.add(item);
                size--;
                adapter.notifyDataSetChanged();                 
            } 
        }
        catch (Exception e)
        { }         
    }    
}

WiFiDemo.xml :

<?xml version="1.0" encoding="utf-8"?>
<LinearLayout xmlns:android="http://schemas.android.com/apk/res/android"
    android:layout_width="match_parent"
    android:layout_height="match_parent"
    android:layout_margin="16dp"
    android:orientation="vertical">

    <LinearLayout
        android:layout_width="match_parent"
        android:layout_height="wrap_content"
        android:gravity="center_vertical"
        android:orientation="horizontal">

        <TextView
            android:id="@+id/textStatus"
            android:layout_width="0dp"
            android:layout_height="wrap_content"
            android:layout_weight="1"
            android:text="Status" />

        <Button
            android:id="@+id/buttonScan"
            android:layout_width="wrap_content"
            android:layout_height="40dp"
            android:text="Scan" />
    </LinearLayout>

    <ListView
        android:id="@+id/list"
        android:layout_width="match_parent"
        android:layout_height="match_parent"
        android:layout_marginTop="20dp"></ListView>
</LinearLayout>

For ListView- row.xml

<?xml version="1.0" encoding="utf-8"?>
<LinearLayout xmlns:android="http://schemas.android.com/apk/res/android"
    android:layout_width="match_parent"
    android:layout_height="wrap_content"
    android:orientation="vertical"
    android:padding="8dp">

    <TextView
        android:id="@+id/list_value"
        android:layout_width="match_parent"
        android:layout_height="wrap_content"
        android:textSize="14dp" />
</LinearLayout>

Add these permission in AndroidManifest.xml

<uses-permission android:name="android.permission.ACCESS_WIFI_STATE" />
<uses-permission android:name="android.permission.CHANGE_WIFI_STATE" />
<uses-permission android:name="android.permission.ACCESS_COARSE_LOCATION" />
<uses-permission android:name="android.permission.ACCESS_FINE_LOCATION" />

How do I uninstall a package installed using npm link?

If you've done something like accidentally npm link generator-webapp after you've changed it, you can fix it by cloning the right generator and linking that.

git clone https://github.com/yeoman/generator-webapp.git;
# for fixing generator-webapp, replace with your required repository
cd generator-webapp;
npm link;

How do I set an ASP.NET Label text from code behind on page load?

I know this was posted a long while ago, and it has been marked answered, but to me, the selected answer was not answering the question I thought the user was posing. It seemed to me he was looking for the approach one can take in ASP .Net that corresponds to his inline data binding previously performed in php.

Here was his php:

<p>Here is the username: <?php echo GetUserName(); ?></p>

Here is what one would do in ASP .Net:

<p>Here is the username: <%= GetUserName() %></p>

Convert a string to integer with decimal in Python

You could use:

s = '23.245678'
i = int(float(s))

Show MySQL host via SQL Command

To get current host name :-

select @@hostname;
show variables where Variable_name like '%host%';

To get hosts for all incoming requests :-

select host from information_schema.processlist;

Based on your last comment,
I don't think you can resolve IP for the hostname using pure mysql function,
as it require a network lookup, which could be taking long time.

However, mysql document mention this :-

resolveip google.com.sg

docs :- http://dev.mysql.com/doc/refman/5.0/en/resolveip.html

comparing elements of the same array in java

First things first, you need to loop to < a.length rather than a.length - 1. As this is strictly less than you need to include the upper bound.

So, to check all pairs of elements you can do:

for (int i = 0; i < a.length; i++) {
    for (int k = 0; k < a.length; k++) {
        if (a[i] != a[k]) {
            //do stuff
        }
    }
}

But this will compare, for example a[2] to a[3] and then a[3] to a[2]. Given that you are checking != this seems wasteful.

A better approach would be to compare each element i to the rest of the array:

for (int i = 0; i < a.length; i++) {
    for (int k = i + 1; k < a.length; k++) {
        if (a[i] != a[k]) {
            //do stuff
        }
    }
}

So if you have the indices [1...5] the comparison would go

  1. 1 -> 2
  2. 1 -> 3
  3. 1 -> 4
  4. 1 -> 5
  5. 2 -> 3
  6. 2 -> 4
  7. 2 -> 5
  8. 3 -> 4
  9. 3 -> 5
  10. 4 -> 5

So you see pairs aren't repeated. Think of a circle of people all needing to shake hands with each other.

What is the maximum number of characters that nvarchar(MAX) will hold?

2^31-1 bytes. So, a little less than 2^31-1 characters for varchar(max) and half that for nvarchar(max).

nchar and nvarchar

Using numpy to build an array of all combinations of two arrays

you can use np.array(itertools.product(a, b))

React Native Responsive Font Size

adjustsFontSizeToFit and numberOfLines works for me. They adjust long email into 1 line.

<View>
  <Text
    numberOfLines={1}
    adjustsFontSizeToFit
    style={{textAlign:'center',fontSize:30}}
  >
    {this.props.email}
  </Text>
</View>

How to reset the bootstrap modal when it gets closed and open it fresh again?

I am using BS 3.3.7 and i have a problem when i open a modal then close it, the modal contents keep on the client side no html("") no clear at all. So i used this to remove completely the code inside the modal div. Well, you may ask why the padding-right code, in chrome for windows when open a modal from another modal and close this second modal the stays with a 17px padding right. Hope it helps...

$(document)
.on('shown.bs.modal', '.modal', function () { 
    $(document.body).addClass('modal-open') 
})
.on('hidden.bs.modal', '.modal', function () { 
    $(document.body).removeClass('modal-open') 
    $(document.body).css("padding-right", "0px");
 $(this).removeData('bs.modal').find(".modal-dialog").empty();
})

Regular expression to limit number of characters to 10

You can use curly braces to control the number of occurrences. For example, this means 0 to 10:

/^[a-z]{0,10}$/

The options are:

  • {3} Exactly 3 occurrences;
  • {6,} At least 6 occurrences;
  • {2,5} 2 to 5 occurrences.

See the regular expression reference.

Your expression had a + after the closing curly brace, hence the error.

jackson deserialization json to java-objects

 JsonNode node = mapper.readValue("[{\"id\":\"value11\",\"name\": \"value12\",\"qty\":\"value13\"},"

 System.out.println("id : "+node.findValues("id").get(0).asText());

this also done the trick.

Use Async/Await with Axios in React.js

In my experience over the past few months, I've realized that the best way to achieve this is:

class App extends React.Component{
  constructor(){
   super();
   this.state = {
    serverResponse: ''
   }
  }
  componentDidMount(){
     this.getData();
  }
  async getData(){
   const res = await axios.get('url-to-get-the-data');
   const { data } = await res;
   this.setState({serverResponse: data})
 }
 render(){
  return(
     <div>
       {this.state.serverResponse}
     </div>
  );
 }
}

If you are trying to make post request on events such as click, then call getData() function on the event and replace the content of it like so:

async getData(username, password){
 const res = await axios.post('url-to-post-the-data', {
   username,
   password
 });
 ...
}

Furthermore, if you are making any request when the component is about to load then simply replace async getData() with async componentDidMount() and change the render function like so:

render(){
 return (
  <div>{this.state.serverResponse}</div>
 )
}

How to allocate aligned memory only using the standard library?

The first thing that popped into my head when reading this question was to define an aligned struct, instantiate it, and then point to it.

Is there a fundamental reason I'm missing since no one else suggested this?

As a sidenote, since I used an array of char (assuming the system's char is 8 bits (i.e. 1 byte)), I don't see the need for the __attribute__((packed)) necessarily (correct me if I'm wrong), but I put it in anyway.

This works on two systems I tried it on, but it's possible that there is a compiler optimization that I'm unaware of giving me false positives vis-a-vis the efficacy of the code. I used gcc 4.9.2 on OSX and gcc 5.2.1 on Ubuntu.

#include <stdio.h>
#include <stdlib.h>

int main ()
{

   void *mem;

   void *ptr;

   // answer a) here
   struct __attribute__((packed)) s_CozyMem {
       char acSpace[16];
   };

   mem = malloc(sizeof(struct s_CozyMem));
   ptr = mem;

   // memset_16aligned(ptr, 0, 1024);

   // Check if it's aligned
   if(((unsigned long)ptr & 15) == 0) printf("Aligned to 16 bytes.\n");
   else printf("Rubbish.\n");

   // answer b) here
   free(mem);

   return 1;
}

How do I grant read access for a user to a database in SQL Server?

This is a two-step process:

  1. you need to create a login to SQL Server for that user, based on its Windows account

    CREATE LOGIN [<domainName>\<loginName>] FROM WINDOWS;
    
  2. you need to grant this login permission to access a database:

    USE (your database)
    CREATE USER (username) FOR LOGIN (your login name)
    

Once you have that user in your database, you can give it any rights you want, e.g. you could assign it the db_datareader database role to read all tables.

USE (your database)
EXEC sp_addrolemember 'db_datareader', '(your user name)'

Creating a UICollectionView programmatically

For Swift 2.0

Instead of implementing the methods that are required to draw the CollectionViewCells:

func collectionView(collectionView: UICollectionView, layout collectionViewLayout: UICollectionViewLayout, sizeForItemAtIndexPath indexPath: NSIndexPath) -> CGSize
    {
        return CGSizeMake(50, 50);
    }

    func collectionView(collectionView: UICollectionView, layout collectionViewLayout: UICollectionViewLayout, insetForSectionAtIndex section: Int) -> UIEdgeInsets
    {
        return UIEdgeInsetsMake(5, 5, 5, 5); //top,left,bottom,right
    }

Use UICollectionViewFlowLayout

func createCollectionView() {
    let flowLayout = UICollectionViewFlowLayout()

    // Now setup the flowLayout required for drawing the cells
    let space = 5.0 as CGFloat

    // Set view cell size
    flowLayout.itemSize = CGSizeMake(50, 50)

    // Set left and right margins
    flowLayout.minimumInteritemSpacing = space

    // Set top and bottom margins
    flowLayout.minimumLineSpacing = space

    // Finally create the CollectionView
    let collectionView = UICollectionView(frame: CGRectMake(10, 10, 300, 400), collectionViewLayout: flowLayout)

    // Then setup delegates, background color etc.
    collectionView?.dataSource = self
    collectionView?.delegate = self
    collectionView?.registerClass(UICollectionViewCell.self, forCellWithReuseIdentifier: "cellID")
    collectionView?.backgroundColor = UIColor.whiteColor()
    self.view.addSubview(collectionView!)
}

Then implement the UICollectionViewDataSource methods as required:

func collectionView(collectionView: UICollectionView, numberOfItemsInSection section: Int) -> Int {
        return 20;
    }
func collectionView(collectionView: UICollectionView, cellForItemAtIndexPath indexPath: NSIndexPath) -> UICollectionViewCell {
    var cell:UICollectionViewCell=collectionView.dequeueReusableCellWithReuseIdentifier("collectionCell", forIndexPath: indexPath) as UICollectionViewCell;
    cell.backgroundColor = UIColor.greenColor();
    return cell;
}
func numberOfSectionsInCollectionView(collectionView: UICollectionView) -> Int {
    // #warning Incomplete implementation, return the number of sections
    return 1
}

iconv - Detected an illegal character in input string

BE VERY CAREFUL, the problem may come from multibytes encoding and inappropriate PHP functions used...

It was the case for me and it took me a while to figure it out.

For example, I get the a string from MySQL using utf8mb4 (very common now to encode emojis):

$formattedString = strtolower($stringFromMysql);
$strCleaned = iconv('UTF-8', 'utf-8//TRANSLIT', $formattedString); // WILL RETURN THE ERROR 'Detected an illegal character in input string'

The problem does not stand in iconv() but stands in strtolower() in this case.

The appropriate way is to use Multibyte String Functions mb_strtolower() instead of strtolower()

$formattedString = mb_strtolower($stringFromMysql);
$strCleaned = iconv('UTF-8', 'utf-8//TRANSLIT', $formattedString); // WORK FINE

MORE INFO

More examples of this issue are available at this SO answer

PHP Manual on the Multibyte String

JNI converting jstring to char *

Here's a a couple of useful link that I found when I started with JNI

http://en.wikipedia.org/wiki/Java_Native_Interface
http://download.oracle.com/javase/1.5.0/docs/guide/jni/spec/functions.html

concerning your problem you can use this

JNIEXPORT void JNICALL Java_ClassName_MethodName(JNIEnv *env, jobject obj, jstring javaString)   
{
   const char *nativeString = env->GetStringUTFChars(javaString, 0);

   // use your string

   env->ReleaseStringUTFChars(javaString, nativeString);
}

How to compare dates in c#

If you have your dates in DateTime variables, they don't have a format.

You can use the Date property to return a DateTime value with the time portion set to midnight. So, if you have:

DateTime dt1 = DateTime.Parse("07/12/2011");
DateTime dt2 = DateTime.Now;

if(dt1.Date > dt2.Date)
{
     //It's a later date
}
else
{
     //It's an earlier or equal date
}

How to put a Scanner input into an array... for example a couple of numbers

Scanner scan = new Scanner (System.in);

for (int i=0; i<=4, i++){

    System.out.printf("Enter value at index"+i+" :");

    anArray[i]=scan.nextInt();

}

Can a constructor in Java be private?

Yes, a constructor can be private. There are different uses of this. One such use is for the singleton design anti-pattern, which I would advise against you using. Another, more legitimate use, is in delegating constructors; you can have one constructor that takes lots of different options that is really an implementation detail, so you make it private, but then your remaining constructors delegate to it.

As an example of delegating constructors, the following class allows you to save a value and a type, but it only lets you do it for a subset of types, so making the general constructor private is needed to ensure that only the permitted types are used. The common private constructor helps code reuse.

public class MyClass {
     private final String value;
     private final String type;

     public MyClass(int x){
         this(Integer.toString(x), "int");
     }

     public MyClass(boolean x){
         this(Boolean.toString(x), "boolean");
     }

     public String toString(){
         return value;
     }

     public String getType(){
         return type;
     }

     private MyClass(String value, String type){
         this.value = value;
         this.type = type;
     }
}

Edit
Looking at this answer from several years later, I would like to note that this answer is both incomplete and also a little bit extreme. Singletons are indeed an anti-pattern and should generally be avoided where possible; however, there are many uses of private constructors besides singletons, and my answer names only one.

To give a couple more cases where private constructors are used:

  1. To create an uninstantiable class that is just a collection of related static functions (this is basically a singleton, but if it is stateless and the static functions operate strictly on the parameters rather than on class state, this is not as unreasonable an approach as my earlier self would seem to suggest, though using an interface that is dependency injected often makes it easier to maintain the API when the implementation requires larger numbers of dependencies or other forms of context).

  2. When there are multiple different ways to create the object, a private constructor may make it easier to understand the different ways of constructing it (e.g., which is more readable to you new ArrayList(5) or ArrayList.createWithCapacity(5), ArrayList.createWithContents(5), ArrayList.createWithInitialSize(5)). In other words, a private constructor allows you to provide factory function's whose names are more understandable, and then making the constructor private ensures that people use only the more self-evident names. This is also commonly used with the builder pattern. For example:

    MyClass myVar = MyClass
        .newBuilder()
        .setOption1(option1)
        .setOption2(option2)
        .build();
    

Eclipse "cannot find the tag library descriptor" for custom tags (not JSTL!)

In Eclipse Helios "Java EE Module Dependencies" in the project properties has been replaced with "Deployment Assembly".

So for solving this problem with Eclipse Helios, the way I did it is the following:

  • Right click on the project in package explorer and choose "Import..."
  • Accept the default selection "File System" and press "Next"
  • Press "Browse" in the From directory line, go to your tomcat installation and locate the file webapps/examples/WEB-INF/lib (I have tomcat 6, other versions of Tomcat may have the path webapps/jsp-examples/WEB-INF/lib). Once in the path press OK.
  • Click besides jstl.jar and standard.jar to activate the check boxes
  • On the line Into folder click on Browse and choose the library folder. I use /lib inside the project.
  • Click "Finish"
  • Right click on the project in Package Explorer view and choose properties (or press Alt + Enter)
  • Click on "Java Build Path"
  • Click "Add Jar", click on your project, folder lib, select jstl.jar, press OK
  • Click "Add Jar", click on your project, folder lib, select standard.jar, press OK
  • Press OK to dismiss the properties dialog
  • Click on the Problems view and select the message "Classpath entry .../jstl.jar will not be exported or published. Runtime ClassNotFoundExceptions may result.".
  • Right click on it and select "Quick Fix".
  • Accept the default "Mark the associated raw classpath entry as a publish/export dependency" and press Finish.
  • Do the same for standard.jar

This solves the problem, but if you want to check what has happened in "Deployment Assembly", open the project properties again, select "Deployment Assembly" and you'll see that standard.jar and jstl.jar have been added to WEB-INF/lib folder.

Composer Update Laravel

You can use :

composer self-update --2

To update to 2.0.8 version (Latest stable version)

How to instantiate a File object in JavaScript?

Because this is javascript and dynamic you could define your own class that matches the File interface and use that instead.

I had to do just that with dropzone.js because I wanted to simulate a file upload and it works on File objects.

Enable IIS7 gzip

If you are also trying to gzip dynamic pages (like aspx) and it isnt working, its probably because the option is not enabled (you need to install the Dynamic Content Compression module using Windows Features):

http://support.esri.com/en/knowledgebase/techarticles/detail/38616

Can Selenium WebDriver open browser windows silently in the background?

If you are using the Google Chrome driver, you can use this very simple code (it worked for me):

from selenium import webdriver
from selenium.webdriver.chrome.options import Options

chrome_options = Options()
chrome_options.add_argument("--headless")
driver = webdriver.Chrome('chromedriver2_win32/chromedriver.exe', options=chrome_options)
driver.get('https://www.anywebsite.com')

Setting focus to a textbox control

Because you want to set it when the form loads, you have to first .Show() the form before you can call the .Focus() method. The form cannot take focus in the Load event until you show the form

Private Sub RibbonForm1_Load(ByVal sender As Object, ByVal e As System.EventArgs) Handles Me.Load

    Me.Show()
    TextBox1.Select()
End Sub

Firebase FCM notifications click_action payload

If your app is in background, Firebase will not trigger onMessageReceived(). Why.....? I have no idea. In this situation, I do not see any point in implementing FirebaseMessagingService.

According to docs, if you want to process background message arrival, you have to send 'click_action' with your message. But it is not possible if you send message from Firebase console, only via Firebase API. It means you will have to build your own "console" in order to enable marketing people to use it. So, this makes Firebase console also quite useless!

There is really good, promising, idea behind this new tool, but executed badly.

I suppose we will have to wait for new versions and improvements/fixes!

What does this GCC error "... relocation truncated to fit..." mean?

You are attempting to link your project in such a way that the target of a relative addressing scheme is further away than can be supported with the 32-bit displacement of the chosen relative addressing mode. This could be because the current project is larger, because it is linking object files in a different order, or because there's an unnecessarily expansive mapping scheme in play.

This question is a perfect example of why it's often productive to do a web search on the generic portion of an error message - you find things like this:

http://www.technovelty.org/code/c/relocation-truncated.html

Which offers some curative suggestions.

Have border wrap around text

Try putting it in a span element:

_x000D_
_x000D_
<div id='page' style='width: 600px'>_x000D_
  <h1><span style='border:2px black solid; font-size:42px;'>Title</span></h1>_x000D_
</div>
_x000D_
_x000D_
_x000D_

Which mime type should I use for mp3

I had a problem with mime types and where making tests for few file types. It looks like each browser sends it's variation of a mime type for a specific file. I was trying to upload mp3 and zip files with open source php class, that what I have found:

  • Firefox (mp3): audio/mpeg
  • Firefox (zip): application/zip
  • Chrome (mp3): audio/mp3
  • Chrome (zip): application/octet-stream
  • Opera (mp3): audio/mp3
  • Opera (zip): application/octet-stream
  • IE (mp3): audio/mpeg
  • IE (zip): application/x-zip-compressed

So if you need several file types to upload, you better make some tests so that every browser could upload a file and pass mime type check.

How can I use a C++ library from node.js?

Try shelljs to call c/c++ program or shared libraries by using node program from linux/unix . node-cmd an option in windows. Both packages basically enable us to call c/c++ program similar to the way we call from terminal/command line.

Eg in ubuntu:

const shell = require('shelljs');

shell.exec("command or script name");

In windows:

const cmd = require('node-cmd');
cmd.run('command here');

Note: shelljs and node-cmd are for running os commands, not specific to c/c++.

Is there an easy way to reload css without reloading the page?

A shorter version in Vanilla JS and in one line:

for (var link of document.querySelectorAll("link[rel=stylesheet]")) link.href = link.href.replace(/\?.*|$/, "?" + Date.now())

Or expanded:

for (var link of document.querySelectorAll("link[rel=stylesheet]")) {
  link.href = link.href.replace(/\?.*|$/, "?" + Date.now())
}

Set Value of Input Using Javascript Function

Try

gadget_url.value=''

_x000D_
_x000D_
addGadgetUrl.addEventListener('click', () => {_x000D_
   gadget_url.value = '';_x000D_
});
_x000D_
<div>_x000D_
  <p>URL</p>_x000D_
  <input type="text" name="gadget_url" id="gadget_url" style="width: 350px;" class="input" value="some value" />_x000D_
  <input type="button" id="addGadgetUrl" value="add gadget" />_x000D_
  <br>_x000D_
  <span id="error"></span>_x000D_
</div>
_x000D_
_x000D_
_x000D_

Update

I don't know why so many downovotes (and no comments) - however (for future readers) don't think that this solution not work - It works with html provided in OP question and this is SHORTEST working solution - you can try it by yourself HERE

How to get a MemoryStream from a Stream in .NET?

You will have to read in all the data from the Stream object into a byte[] buffer and then pass that into the MemoryStream via its constructor. It may be better to be more specific about the type of stream object you are using. Stream is very generic and may not implement the Length attribute, which is rather useful when reading in data.

Here's some code for you:

public MyClass(Stream inputStream) {
    byte[] inputBuffer = new byte[inputStream.Length];
    inputStream.Read(inputBuffer, 0, inputBuffer.Length);

    _ms = new MemoryStream(inputBuffer);
}

If the Stream object doesn't implement the Length attribute, you will have to implement something like this:

public MyClass(Stream inputStream) {
    MemoryStream outputStream = new MemoryStream();

    byte[] inputBuffer = new byte[65535];
    int readAmount;
    while((readAmount = inputStream.Read(inputBuffer, 0, inputBuffer.Length)) > 0)
        outputStream.Write(inputBuffer, 0, readAmount);

    _ms = outputStream;
}

How do I subtract minutes from a date in javascript?

Everything is just ticks, no need to memorize methods...

var aMinuteAgo = new Date( Date.now() - 1000 * 60 );

or

var aMinuteLess = new Date( someDate.getTime() - 1000 * 60 );

update

After working with momentjs, I have to say this is an amazing library you should check out. It is true that ticks work in many cases making your code very tiny and you should try to make your code as small as possible for what you need to do. But for anything complicated, use momentjs.

Uninitialized constant ActiveSupport::Dependencies::Mutex (NameError)

As mentioned this occurs when using RubyGems 1.6.0 with Ruby on Rails version earlier than version 3. My app is using Ruby on Rails 2.3.3 vendored into the /vendor of the project.

No doubt an upgrade of Ruby on Rails to a newer 2.3.X version may also fix this issue. However, this problem prevents you running Rake to unvendor Ruby on Rails and upgrade it.

Adding require 'thread' to the top of environment.rb did not fix the issue for me. Adding require 'thread' to /vendor/rails/activesupport/lib/active_support.rb did fix the problem.

How to make a redirection on page load in JSF 1.x

FacesContext context = FacesContext.getCurrentInstance();
HttpServletResponse response = (HttpServletResponse)context.getExternalContext().getResponse();
response.sendRedirect("somePage.jsp");

Why .NET String is immutable?

Strings are passed as reference types in .NET.

Reference types place a pointer on the stack, to the actual instance that resides on the managed heap. This is different to Value types, who hold their entire instance on the stack.

When a value type is passed as a parameter, the runtime creates a copy of the value on the stack and passes that value into a method. This is why integers must be passed with a 'ref' keyword to return an updated value.

When a reference type is passed, the runtime creates a copy of the pointer on the stack. That copied pointer still points to the original instance of the reference type.

The string type has an overloaded = operator which creates a copy of itself, instead of a copy of the pointer - making it behave more like a value type. However, if only the pointer was copied, a second string operation could accidently overwrite the value of a private member of another class causing some pretty nasty results.

As other posts have mentioned, the StringBuilder class allows for the creation of strings without the GC overhead.

How do I return JSON without using a template in Django?

In the case of the JSON response there is no template to be rendered. Templates are for generating HTML responses. The JSON is the HTTP response.

However, you can have HTML that is rendered from a template withing your JSON response.

html = render_to_string("some.html", some_dictionary)
serialized_data = simplejson.dumps({"html": html})
return HttpResponse(serialized_data, mimetype="application/json")

Postgres - Transpose Rows to Columns

Use crosstab() from the tablefunc module.

SELECT * FROM crosstab(
   $$SELECT user_id, user_name, rn, email_address
     FROM  (
        SELECT u.user_id, u.user_name, e.email_address
             , row_number() OVER (PARTITION BY u.user_id
                            ORDER BY e.creation_date DESC NULLS LAST) AS rn
        FROM   usr u
        LEFT   JOIN email_tbl e USING (user_id)
        ) sub
     WHERE  rn < 4
     ORDER  BY user_id
   $$
  , 'VALUES (1),(2),(3)'
   ) AS t (user_id int, user_name text, email1 text, email2 text, email3 text);

I used dollar-quoting for the first parameter, which has no special meaning. It's just convenient if you have to escape single quotes in the query string which is a common case:

Detailed explanation and instructions here:

And in particular, for "extra columns":

The special difficulties here are:

  • The lack of key names.
    -> We substitute with row_number() in a subquery.

  • The varying number of emails.
    -> We limit to a max. of three in the outer SELECT
    and use crosstab() with two parameters, providing a list of possible keys.

Pay attention to NULLS LAST in the ORDER BY.

.bashrc at ssh login

.bashrc is not sourced when you log in using SSH. You need to source it in your .bash_profile like this:

if [ -f ~/.bashrc ]; then
  . ~/.bashrc
fi

Typescript react - Could not find a declaration file for module ''react-materialize'. 'path/to/module-name.js' implicitly has an any type

I had this same problem but not necessarily relating to typescript, so I struggled a bit with these different options. I am making a very basic create-react-app using a specific module react-portal-tooltip, getting similar error:

Could not find a declaration file for module 'react-portal-tooltip'. '/node_modules/react-portal-tooltip/lib/index.js' implicitly has an 'any' type. Try npm install @types/react-portal-tooltip if it exists or add a new declaration (.d.ts) file containing declare module 'react-portal-tooltip';ts(7016)

I tried many steps first - adding various .d.ts files, various npm installs.

But what eventually worked for me was touch src/declare_modules.d.ts then in src/declare_modules.d.ts:

declare module "react-portal-tooltip";

and in src/App.js:

import ToolTip from 'react-portal-tooltip';
// import './declare_modules.d.ts'

I struggled a bit with the different locations to use this general 'declare module' strategy (I am very much a beginner) so I think this will work with different options but I am included paths for what worked work me.

I initially thought import './declare_modules.d.ts' was necessary. Although now it seems like it isn't! But I am including the step in case it helps someone.

This is my first stackoverflow answer so I apologize for the scattered process here and hope it was still helpful! :)

Import an existing git project into GitLab?

Gitlab is a little bit bugged on this feature. You can lose a lot of time doing troubleshooting specially if your project is any big.

The best solution would be using the create/import tool, do not forget put your user name and password, otherwise it won't import anything at all.

Follow my screenshots

enter image description here

How can I mix LaTeX in with Markdown?

I came across this discussion only now, so I hope my comment is still useful. I am involved with MathJax and, from how I understand your situation, I think that it would be a good way to solve the problem: you leave your LaTeX code as is, and let MathJax render the mathematics upon viewing.

Is there any reason why you would prefer images?

makefile:4: *** missing separator. Stop

The key point was "HARD TAB" 1. Check whether you used TAB instead of whitespace 2. Check your .vimrc for "set tabstop=X"

What is the easiest/best/most correct way to iterate through the characters of a string in Java?

Note most of the other techniques described here break down if you're dealing with characters outside of the BMP (Unicode Basic Multilingual Plane), i.e. code points that are outside of the u0000-uFFFF range. This will only happen rarely, since the code points outside this are mostly assigned to dead languages. But there are some useful characters outside this, for example some code points used for mathematical notation, and some used to encode proper names in Chinese.

In that case your code will be:

String str = "....";
int offset = 0, strLen = str.length();
while (offset < strLen) {
  int curChar = str.codePointAt(offset);
  offset += Character.charCount(curChar);
  // do something with curChar
}

The Character.charCount(int) method requires Java 5+.

Source: http://mindprod.com/jgloss/codepoint.html

How to turn off word wrapping in HTML?

This worked for me to stop silly work breaks from happening within Chrome textareas

word-break: keep-all;

Rendering HTML in a WebView with custom CSS

You can Use Online Css link To set Style over existing content.

For That you have to load data in webview and enable JavaScript Support.

See Below Code:

   WebSettings webSettings=web_desc.getSettings();
    webSettings.setJavaScriptEnabled(true);
    webSettings.setDefaultTextEncodingName("utf-8");
    webSettings.setTextZoom(55);
    StringBuilder sb = new StringBuilder();
    sb.append("<HTML><HEAD><LINK href=\" http://yourStyleshitDomain.com/css/mbl-view-content.css\" type=\"text/css\" rel=\"stylesheet\"/></HEAD><body>");
    sb.append(currentHomeContent.getDescription());
    sb.append("</body></HTML>");
    currentWebView.loadDataWithBaseURL("file:///android_asset/", sb.toString(), "text/html", "utf-8", null);

Here Use StringBuilder to append String for Style.

sb.append("<HTML><HEAD><LINK href=\" http://yourStyleshitDomain.com/css/mbl-view-content.css\" type=\"text/css\" rel=\"stylesheet\"/></HEAD><body>");
sb.append(currentHomeContent.getDescription());

PermissionError: [Errno 13] Permission denied

This error actually also comes when using keras.preprocessing.image so for example:

img = keras.preprocessing.image.load_img(folder_path, target_size=image_size)

will throw the permission error. Strangely enough though, the problem is solved if you first import the library: from keras.preprocessing import image and only then use it. Like so:

img = image.load_img(img_path, target_size=(180,180))

jquery $('.class').each() how many items?

If you are using a version of jQuery that is less than version 1.8 you can use the $('.class').size() which takes zero parameters. See documentation for more information on .size() method.

However if you are using (or plan to upgrade) to 1.8 or greater you can use $('.class').length property. See documentation for more information on .length property.

Detect if a browser in a mobile device (iOS/Android phone/tablet) is used

I know this is an old thread but I thought this might help someone:

Mobile devices have greater height than width, in contrary, computers have greater width than height. For example:

@media all and (max-width: 320px) and (min-height: 320px)

so that would have to be done for every width i guess.

Python: how to capture image from webcam on click using OpenCV

This is a simple program to capture an image from using a default camera. Also, It can Detect a human face.

import cv2
import sys
import logging as log
import datetime as dt
from time import sleep

cascPath = "haarcascade_frontalface_default.xml"
faceCascade = cv2.CascadeClassifier(cascPath)
log.basicConfig(filename='webcam.log',level=log.INFO)

video_capture = cv2.VideoCapture(0)
anterior = 0

while True:
    if not video_capture.isOpened():
        print('Unable to load camera.')
        sleep(5)
        pass

    # Capture frame-by-frame
    ret, frame = video_capture.read()

    gray = cv2.cvtColor(frame, cv2.COLOR_BGR2GRAY)

    faces = faceCascade.detectMultiScale(
        gray,
        scaleFactor=1.1,
        minNeighbors=5,
        minSize=(30, 30)
    )

    # Draw a rectangle around the faces
    for (x, y, w, h) in faces:
        cv2.rectangle(frame, (x, y), (x+w, y+h), (0, 255, 0), 2)

    if anterior != len(faces):
        anterior = len(faces)
        log.info("faces: "+str(len(faces))+" at "+str(dt.datetime.now()))


    # Display the resulting frame
    cv2.imshow('Video', frame)

    if cv2.waitKey(1) & 0xFF == ord('s'): 

        check, frame = video_capture.read()
        cv2.imshow("Capturing", frame)
        cv2.imwrite(filename='saved_img.jpg', img=frame)
        video_capture.release()
        img_new = cv2.imread('saved_img.jpg', cv2.IMREAD_GRAYSCALE)
        img_new = cv2.imshow("Captured Image", img_new)
        cv2.waitKey(1650)
        print("Image Saved")
        print("Program End")
        cv2.destroyAllWindows()

        break
    elif cv2.waitKey(1) & 0xFF == ord('q'):
        print("Turning off camera.")
        video_capture.release()
        print("Camera off.")
        print("Program ended.")
        cv2.destroyAllWindows()
        break

    # Display the resulting frame
    cv2.imshow('Video', frame)

# When everything is done, release the capture
video_capture.release()
cv2.destroyAllWindows()

output

enter image description here

Also, You can check out my GitHub code

php exec command (or similar) to not wait for result

This uses wget to notify a URL of something without waiting.

$command = 'wget -qO- http://test.com/data=data';
exec('nohup ' . $command . ' >> /dev/null 2>&1 & echo $!', $pid);

This uses ls to update a log without waiting.

$command = 'ls -la > content.log';
exec('nohup ' . $command . ' >> /dev/null 2>&1 & echo $!', $pid);

What's the difference between setWebViewClient vs. setWebChromeClient?

I feel this question need a bit more details. My answer is inspired from the Android Programming, The Big Nerd Ranch Guide (2nd edition).

By default, JavaScript is off in WebView. You do not always need to have it on, but for some apps, might do require it.

Loading the URL has to be done after configuring the WebView, so you do that last. Before that, you turn JavaScript on by calling getSettings() to get an instance of WebSettings and calling WebSettings.setJavaScriptEnabled(true). WebSettings is the first of the three ways you can modify your WebView. It has various properties you can set, like the user agent string and text size.

After that, you configure your WebViewClient. WebViewClient is an event interface. By providing your own implementation of WebViewClient, you can respond to rendering events. For example, you could detect when the renderer starts loading an image from a particular URL or decide whether to resubmit a POST request to the server.

WebViewClient has many methods you can override, most of which you will not deal with. However, you do need to replace the default WebViewClient’s implementation of shouldOverrideUrlLoading(WebView, String). This method determines what will happen when a new URL is loaded in the WebView, like by pressing a link. If you return true, you are saying, “Do not handle this URL, I am handling it myself.” If you return false, you are saying, “Go ahead and load this URL, WebView, I’m not doing anything with it.”

The default implementation fires an implicit intent with the URL, just like you did earlier. Now, though, this would be a severe problem. The first thing some Web Applications does is redirect you to the mobile version of the website. With the default WebViewClient, that means that you are immediately sent to the user’s default web browser. This is just what you are trying to avoid. The fix is simple – just override the default implementation and return false.

Use WebChromeClient to spruce things up Since you are taking the time to create your own WebView, let’s spruce it up a bit by adding a progress bar and updating the toolbar’s subtitle with the title of the loaded page.

To hook up the ProgressBar, you will use the second callback on WebView: WebChromeClient.

WebViewClient is an interface for responding to rendering events; WebChromeClient is an event interface for reacting to events that should change elements of chrome around the browser. This includes JavaScript alerts, favicons, and of course updates for loading progress and the title of the current page.

Hook it up in onCreateView(…). Using WebChromeClient to spruce things up Progress updates and title updates each have their own callback method, onProgressChanged(WebView, int) and onReceivedTitle(WebView, String). The progress you receive from onProgressChanged(WebView, int) is an integer from 0 to 100. If it is 100, you know that the page is done loading, so you hide the ProgressBar by setting its visibility to View.GONE.

Disclaimer: This information was taken from Android Programming: The Big Nerd Ranch Guide with permission from the authors. For more information on this book or to purchase a copy, please visit bignerdranch.com.

javascript: pause setTimeout();

You could look into clearTimeout()

or pause depending on a global variable that is set when a certain condition is hit. Like a button is pressed.

  <button onclick="myBool = true" > pauseTimeout </button>

  <script>
  var myBool = false;

  var t = setTimeout(function() {if (!mybool) {dosomething()}}, 5000);
  </script>

How to set the DefaultRoute to another Route in React Router

UPDATE : 2020

Instead of using Redirect, Simply add multiple route in the path

Example:

<Route exact path={["/","/defaultPath"]} component={searchDashboard} />

Setting up enviromental variables in Windows 10 to use java and javac

if you have any version problems (javac -version=15.0.1, java -version=1.8.0)
windows search : edit environment variables for your account
then delete these in your windows Environment variable: system variable: Path
C:\Program Files (x86)\Common Files\Oracle\Java\javapath
C:\Program Files\Common Files\Oracle\Java\javapath

then if you're using java 15
environment variable: system variable : Path
add path C:\Program Files\Java\jdk-15.0.1\bin
is enough

if you're using java 8

  • create JAVA_HOME
  • environment variable: system variable : JAVA_HOME
    JAVA_HOME = C:\Program Files\Java\jdk1.8.0_271
  • environment variable: system variable : Path
    add path = %JAVA_HOME%\bin
  • How to get a vCard (.vcf file) into Android contacts from website

    I had problems with importing a VERSION:4.0 vcard file on Android 7 (LineageOS) with the standard Contacts app.

    Since this is on the top search hits for "android vcard format not supported", I just wanted to note that I was able to import them with the Simple Contacts app (Play or F-Droid).

    Is there any way to change input type="date" format?

    It's not possible to change web-kit browsers use user's computer or mobiles default date format. But if you can use jquery and jquery UI there is a date-picker which is designable and can be shown in any format as the developer wants. the link to the jquery UI date-picker is on this page http://jqueryui.com/datepicker/ you can find demo as well as code and documentation or documentation link

    Edit:-I find that chrome uses language settings that are by default equal to system settings but the user can change them but developer can't force users to do so so you have to use other js solutions like I tell you can search the web with queries like javascript date-pickers or jquery date-picker

    How do I run a batch file from my Java Application?

    To run batch files using java if that's you're talking about...

    String path="cmd /c start d:\\sample\\sample.bat";
    Runtime rn=Runtime.getRuntime();
    Process pr=rn.exec(path);`
    

    This should do it.

    How to have css3 animation to loop forever

    I stumbled upon the same problem: a page with many independent animations, each one with its own parameters, which must be repeated forever.

    Merging this clue with this other clue I found an easy solution: after the end of all your animations the wrapping div is restored, forcing the animations to restart.

    All you have to do is to add these few lines of Javascript, so easy they don't even need any external library, in the <head> section of your page:

    <script>
    setInterval(function(){
    var container = document.getElementById('content');
    var tmp = container.innerHTML;
    container.innerHTML= tmp;
    }, 35000 // length of the whole show in milliseconds
    );
    </script>
    

    BTW, the closing </head> in your code is misplaced: it must be before the starting <body>.

    How to kill a child process after a given timeout in Bash?

    I also had this question and found two more things very useful:

    1. The SECONDS variable in bash.
    2. The command "pgrep".

    So I use something like this on the command line (OSX 10.9):

    ping www.goooooogle.com & PING_PID=$(pgrep 'ping'); SECONDS=0; while pgrep -q 'ping'; do sleep 0.2; if [ $SECONDS = 10 ]; then kill $PING_PID; fi; done
    

    As this is a loop I included a "sleep 0.2" to keep the CPU cool. ;-)

    (BTW: ping is a bad example anyway, you just would use the built-in "-t" (timeout) option.)

    Get list of filenames in folder with Javascript

    I use the following (stripped-down code) in Firefox 69.0 (on Ubuntu) to read a directory and show the image as part of a digital photo frame. The page is made in HTML, CSS, and JavaScript, and it is located on the same machine where I run the browser. The images are located on the same machine as well, so there is no viewing from "outside".

    var directory = <path>;
    var xmlHttp = new XMLHttpRequest();
    xmlHttp.open('GET', directory, false); // false for synchronous request
    xmlHttp.send(null);
    var ret = xmlHttp.responseText;
    var fileList = ret.split('\n');
    for (i = 0; i < fileList.length; i++) {
        var fileinfo = fileList[i].split(' ');
        if (fileinfo[0] == '201:') {
            document.write(fileinfo[1] + "<br>");
            document.write('<img src=\"' + directory + fileinfo[1] + '\"/>');
        }
    }
    

    This requires the policy security.fileuri.strict_origin_policy to be disabled. This means it might not be a solution you want to use. In my case I deemed it ok.

    Why doesn't "System.out.println" work in Android?

    There is no place on your phone that you can read the System.out.println();

    Instead, if you want to see the result of something either look at your logcat/console window or make a Toast or a Snackbar (if you're on a newer device) appear on the device's screen with the message :) That's what i do when i have to check for example where it goes in a switch case code! Have fun coding! :)

    Convert ArrayList to String array in Android

    Well in general:

    List<String> names = new ArrayList<String>();
    names.add("john");
    names.add("ann");
    
    String[] namesArr = new String[names.size()];
    for (int i = 0; i < names.size(); i++) {
        namesArr[i] = names.get(i);  
    }
    

    Or better yet, using built in:

    List<String> names = new ArrayList<String>();
    String[] namesArr = names.toArray(new String[names.size()]);
    

    Add more than one parameter in Twig path

    You can pass as many arguments as you want, separating them by commas:

    {{ path('_files_manage', {project: project.id, user: user.id}) }}
    

    How to handle AssertionError in Python and find out which line or statement it occurred on?

    The traceback module and sys.exc_info are overkill for tracking down the source of an exception. That's all in the default traceback. So instead of calling exit(1) just re-raise:

    try:
        assert "birthday cake" == "ice cream cake", "Should've asked for pie"
    except AssertionError:
        print 'Houston, we have a problem.'
        raise
    

    Which gives the following output that includes the offending statement and line number:

    Houston, we have a problem.
    Traceback (most recent call last):
      File "/tmp/poop.py", line 2, in <module>
        assert "birthday cake" == "ice cream cake", "Should've asked for pie"
    AssertionError: Should've asked for pie
    

    Similarly the logging module makes it easy to log a traceback for any exception (including those which are caught and never re-raised):

    import logging
    
    try:
        assert False == True 
    except AssertionError:
        logging.error("Nothing is real but I can't quit...", exc_info=True)
    

    How do I make a semi transparent background?

    This is simple and sort. Use hsla css function like below

    .transparent {
       background-color: hsla(0,0%,4%,.4);
    }
    

    selenium get current url after loading a page

    Page 2 is in a new tab/window ? If it's this, use the code bellow :

    try {
    
        String winHandleBefore = driver.getWindowHandle();
    
        for(String winHandle : driver.getWindowHandles()){
            driver.switchTo().window(winHandle);
            String act = driver.getCurrentUrl();
        }
        }catch(Exception e){
       System.out.println("fail");
        }
    

    Excel function to make SQL-like queries on worksheet data?

    You can use Get External Data (dispite its name), located in the 'Data' tab of Excel 2010, to set up a connection in a workbook to query data from itself. Use From Other Sources From Microsoft Query to connect to Excel

    Once set up you can use VBA to manipulate the connection to, among other thing, view and modify the SQL command that drives the query. This query does reference the in memory workbook, so doen't require a save to refresh the latest data.

    Here's a quick Sub to demonstrate accessing the connection objects

    Sub DemoConnection()
        Dim c As Connections
        Dim wb As Workbook
        Dim i As Long
        Dim strSQL As String
    
        Set wb = ActiveWorkbook
        Set c = wb.Connections
        For i = 1 To c.Count
            ' Reresh the data
            c(i).Refresh 
            ' view the SQL query
            strSQL = c(i).ODBCConnection.CommandText
            MsgBox strSQL
        Next
    End Sub
    

    Android Studio rendering problems

    Make sure your designer version and targetSdkVersion both is same. Example : If your targetSdkVersion is 22 then change your designer version also 22, so this problem do not occur.

    How to detect reliably Mac OS X, iOS, Linux, Windows in C preprocessor?

    There are predefined macros that are used by most compilers, you can find the list here. GCC compiler predefined macros can be found here. Here is an example for gcc:

    #if defined(WIN32) || defined(_WIN32) || defined(__WIN32__) || defined(__NT__)
       //define something for Windows (32-bit and 64-bit, this part is common)
       #ifdef _WIN64
          //define something for Windows (64-bit only)
       #else
          //define something for Windows (32-bit only)
       #endif
    #elif __APPLE__
        #include <TargetConditionals.h>
        #if TARGET_IPHONE_SIMULATOR
             // iOS Simulator
        #elif TARGET_OS_IPHONE
            // iOS device
        #elif TARGET_OS_MAC
            // Other kinds of Mac OS
        #else
        #   error "Unknown Apple platform"
        #endif
    #elif __linux__
        // linux
    #elif __unix__ // all unices not caught above
        // Unix
    #elif defined(_POSIX_VERSION)
        // POSIX
    #else
    #   error "Unknown compiler"
    #endif
    

    The defined macros depend on the compiler that you are going to use.

    The _WIN64 #ifdef can be nested into the _WIN32 #ifdef because _WIN32 is even defined when targeting the Windows x64 version. This prevents code duplication if some header includes are common to both (also WIN32 without underscore allows IDE to highlight the right partition of code).

    Regex pattern to match at least 1 number and 1 character in a string

    And an idea with a negative check.

    /^(?!\d*$|[a-z]*$)[a-z\d]+$/i
    
    • ^(?! at start look ahead if string does not
    • \d*$ contain only digits | or
    • [a-z]*$ contain only letters
    • [a-z\d]+$ matches one or more letters or digits until $ end.

    Have a look at this regex101 demo

    (the i flag turns on caseless matching: a-z matches a-zA-Z)

    Session unset, or session_destroy?

    Unset will destroy a particular session variable whereas session_destroy() will destroy all the session data for that user.

    It really depends on your application as to which one you should use. Just keep the above in mind.

    unset($_SESSION['name']); // will delete just the name data
    
    session_destroy(); // will delete ALL data associated with that user.
    

    Invalid date in safari

    Use the below format, it would work on all the browsers

    var year = 2016;
    var month = 02;           // month varies from 0-11 (Jan-Dec)
    var day = 23;
    
    month = month<10?"0"+month:month;        // to ensure YYYY-MM-DD format
    day = day<10?"0"+day:day;
    
    dateObj = new Date(year+"-"+month+"-"+day);
    
    alert(dateObj); 
    

    //Your output would look like this "Wed Mar 23 2016 00:00:00 GMT+0530 (IST)"

    //Note this would be in the current timezone in this case denoted by IST, to convert to UTC timezone you can include

    alert(dateObj.toUTCSting);
    

    //Your output now would like this "Tue, 22 Mar 2016 18:30:00 GMT"

    Note that now the dateObj shows the time in GMT format, also note that the date and time have been changed correspondingly.

    The "toUTCSting" function retrieves the corresponding time at the Greenwich meridian. This it accomplishes by establishing the time difference between your current timezone to the Greenwich Meridian timezone.

    In the above case the time before conversion was 00:00 hours and minutes on the 23rd of March in the year 2016. And after conversion from GMT+0530 (IST) hours to GMT (it basically subtracts 5.30 hours from the given timestamp in this case) the time reflects 18.30 hours on the 22nd of March in the year 2016 (exactly 5.30 hours behind the first time).

    Further to convert any date object to timestamp you can use

    alert(dateObj.getTime());
    

    //output would look something similar to this "1458671400000"

    This would give you the unique timestamp of the time

    An efficient way to transpose a file in Bash

    I used fgm's solution (thanks fgm!), but needed to eliminate the tab characters at the end of each row, so modified the script thus:

    #!/bin/bash 
    declare -a array=( )                      # we build a 1-D-array
    
    read -a line < "$1"                       # read the headline
    
    COLS=${#line[@]}                          # save number of columns
    
    index=0
    while read -a line; do
        for (( COUNTER=0; COUNTER<${#line[@]}; COUNTER++ )); do
            array[$index]=${line[$COUNTER]}
            ((index++))
        done
    done < "$1"
    
    for (( ROW = 0; ROW < COLS; ROW++ )); do
      for (( COUNTER = ROW; COUNTER < ${#array[@]}; COUNTER += COLS )); do
        printf "%s" ${array[$COUNTER]}
        if [ $COUNTER -lt $(( ${#array[@]} - $COLS )) ]
        then
            printf "\t"
        fi
      done
      printf "\n" 
    done
    

    Anaconda vs. miniconda

    Anaconda or Miniconda?

    Choose Anaconda if you:

    1. Are new to conda or Python.

    2. Like the convenience of having Python and over 1,500 scientific packages automatically installed at once.

    3. Have the time and disk space---a few minutes and 3 GB.

    4. Do not want to individually install each of the packages you want to use.

    Choose Miniconda if you:

    1. Do not mind installing each of the packages you want to use individually.

    2. Do not have time or disk space to install over 1,500 packages at once.

    3. Want fast access to Python and the conda commands and you wish to sort out the other programs later.

    Source

    Twitter bootstrap float div right

    To float a div to the right pull-right is the recommend way, I feel you are doing things right may be you only need to use text-align:right;

      <div class="container">
         <div class="row-fluid">
          <div class="span6">
               <p>Text left</p>
          </div>
          <div class="span6 pull-right" style="text-align:right">
               <p>text right</p>
          </div>
      </div>
     </div>      
     </div>
    

    Adding Python Path on Windows 7

    This question is pretty old, but I just ran into a similar problem and my particular solution wasn't listed here:

    Make sure you don't have a folder in your PATH that doesn't exist.

    In my case, I had a bunch of default folders (Windows, Powershell, Sql Server, etc) and then a custom C:\bin that I typically use, and then various other tweaks like c:\python17, etc. It turns out that the cmd processor was finding that c:\bin didn't exist and then stopped processing the rest of the variable.

    Also, I don't know that I ever would have noticed this without PATH manager. It nicely highlighted the fact that that item was invalid.

    Add new row to excel Table (VBA)

    You don't say which version of Excel you are using. This is written for 2007/2010 (a different apprach is required for Excel 2003 )

    You also don't say how you are calling addDataToTable and what you are passing into arrData.
    I'm guessing you are passing a 0 based array. If this is the case (and the Table starts in Column A) then iCount will count from 0 and .Cells(lLastRow + 1, iCount) will try to reference column 0 which is invalid.

    You are also not taking advantage of the ListObject. Your code assumes the ListObject1 is located starting at row 1. If this is not the case your code will place the data in the wrong row.

    Here's an alternative that utilised the ListObject

    Sub MyAdd(ByVal strTableName As String, ByRef arrData As Variant)
        Dim Tbl As ListObject
        Dim NewRow As ListRow
    
        ' Based on OP 
        ' Set Tbl = Worksheets(4).ListObjects(strTableName)
        ' Or better, get list on any sheet in workbook
        Set Tbl = Range(strTableName).ListObject
        Set NewRow = Tbl.ListRows.Add(AlwaysInsert:=True)
    
        ' Handle Arrays and Ranges
        If TypeName(arrData) = "Range" Then
            NewRow.Range = arrData.Value
        Else
            NewRow.Range = arrData
        End If
    End Sub
    

    Can be called in a variety of ways:

    Sub zx()
        ' Pass a variant array copied from a range
        MyAdd "MyTable", [G1:J1].Value
        ' Pass a range
        MyAdd "MyTable", [G1:J1]
        ' Pass an array
        MyAdd "MyTable", Array(1, 2, 3, 4)
    End Sub
    

    Create a SQL query to retrieve most recent records

    Another easy way:

    SELECT Date, User, Status, Notes  
    FROM Test_Most_Recent 
    WHERE Date in ( SELECT MAX(Date) from Test_Most_Recent group by User)
    

    How do I get an animated gif to work in WPF?

    I have try all the way above, but each one has their shortness, and thanks to all you, I work out my own GifImage:

        using System;
        using System.Collections.Generic;
        using System.Linq;
        using System.Text;
        using System.Windows.Controls;
        using System.Windows;
        using System.Windows.Media.Imaging;
        using System.IO;
        using System.Windows.Threading;
    
        namespace IEXM.Components
        {
        public class GifImage : Image
        {
                #region gif Source, such as "/IEXM;component/Images/Expression/f020.gif"
                public string GifSource
                {
                        get { return (string)GetValue(GifSourceProperty); }
                        set { SetValue(GifSourceProperty, value); }
                }
    
                public static readonly DependencyProperty GifSourceProperty =
                        DependencyProperty.Register("GifSource", typeof(string),
                        typeof(GifImage), new UIPropertyMetadata(null, GifSourcePropertyChanged));
    
                private static void GifSourcePropertyChanged(DependencyObject sender,
                        DependencyPropertyChangedEventArgs e)
                {
                        (sender as GifImage).Initialize();
                }
                #endregion
    
                #region control the animate
                /// <summary>
                /// Defines whether the animation starts on it's own
                /// </summary>
                public bool IsAutoStart
                {
                        get { return (bool)GetValue(AutoStartProperty); }
                        set { SetValue(AutoStartProperty, value); }
                }
    
                public static readonly DependencyProperty AutoStartProperty =
                        DependencyProperty.Register("IsAutoStart", typeof(bool),
                        typeof(GifImage), new UIPropertyMetadata(false, AutoStartPropertyChanged));
    
                private static void AutoStartPropertyChanged(DependencyObject sender,
                        DependencyPropertyChangedEventArgs e)
                {
                        if ((bool)e.NewValue)
                                (sender as GifImage).StartAnimation();
                        else
                                (sender as GifImage).StopAnimation();
                }
                #endregion
    
                private bool _isInitialized = false;
                private System.Drawing.Bitmap _bitmap;
                private BitmapSource _source;
    
                [System.Runtime.InteropServices.DllImport("gdi32.dll")]
                public static extern bool DeleteObject(IntPtr hObject);
    
                private BitmapSource GetSource()
                {
                        if (_bitmap == null)
                        {
                                _bitmap = new System.Drawing.Bitmap(Application.GetResourceStream(
                                         new Uri(GifSource, UriKind.RelativeOrAbsolute)).Stream);
                        }
    
                        IntPtr handle = IntPtr.Zero;
                        handle = _bitmap.GetHbitmap();
    
                        BitmapSource bs = System.Windows.Interop.Imaging.CreateBitmapSourceFromHBitmap(
                                handle, IntPtr.Zero, Int32Rect.Empty, BitmapSizeOptions.FromEmptyOptions());
                        DeleteObject(handle);
                        return bs;
                }
    
                private void Initialize()
                {
                //        Console.WriteLine("Init: " + GifSource);
                        if (GifSource != null)
                                Source = GetSource();
                        _isInitialized = true;
                }
    
                private void FrameUpdatedCallback()
                {
                        System.Drawing.ImageAnimator.UpdateFrames();
    
                        if (_source != null)
                        {
                                _source.Freeze();
                        }
    
                   _source = GetSource();
    
                  //  Console.WriteLine("Working: " + GifSource);
    
                        Source = _source;
                        InvalidateVisual();
                }
    
                private void OnFrameChanged(object sender, EventArgs e)
                {
                        Dispatcher.BeginInvoke(DispatcherPriority.Normal, new Action(FrameUpdatedCallback));
                }
    
                /// <summary>
                /// Starts the animation
                /// </summary>
                public void StartAnimation()
                {
                        if (!_isInitialized)
                                this.Initialize();
    
    
                 //   Console.WriteLine("Start: " + GifSource);
    
                        System.Drawing.ImageAnimator.Animate(_bitmap, OnFrameChanged);
                }
    
                /// <summary>
                /// Stops the animation
                /// </summary>
                public void StopAnimation()
                {
                        _isInitialized = false;
                        if (_bitmap != null)
                        {
                                System.Drawing.ImageAnimator.StopAnimate(_bitmap, OnFrameChanged);
                                _bitmap.Dispose();
                                _bitmap = null;
                        }
                        _source = null;
                        Initialize();
                        GC.Collect();
                        GC.WaitForFullGCComplete();
    
                 //   Console.WriteLine("Stop: " + GifSource);
                }
    
                public void Dispose()
                {
                        _isInitialized = false;
                        if (_bitmap != null)
                        {
                                System.Drawing.ImageAnimator.StopAnimate(_bitmap, OnFrameChanged);
                                _bitmap.Dispose();
                                _bitmap = null;
                        }
                        _source = null;
                        GC.Collect();
                        GC.WaitForFullGCComplete();
                   // Console.WriteLine("Dispose: " + GifSource);
                }
        }
    }
    

    Usage:

    <localComponents:GifImage x:Name="gifImage" IsAutoStart="True" GifSource="{Binding Path=value}" />
    

    As it would not cause memory leak and it animated the gif image own time line, you can try it.

    Determining image file size + dimensions via Javascript?

    var img = new Image();
    img.src = sYourFilePath;
    var iSize = img.fileSize;
    

    Cloning git repo causes error - Host key verification failed. fatal: The remote end hung up unexpectedly

    I had the same issue, and the solution is very simple, just change to git bash from cmd or other windows command line tools. Windows sometimes does not work well with git npm dependencies.

    Converting Long to Date in Java returns 1970

    The long values, most likely, correspond to Epoch timestamps, and the values are:

    1220227200 = Mon, 01 Sep 2008 00:00:00 GMT

    1220832000 = Mon, 08 Sep 2008 00:00:00 GMT

    1221436800 = Mon, 15 Sep 2008 00:00:00 GMT

    One can convert these long values to java.util.Date, taking into account the fact java.util.Date uses millisecs – as previously hinted, but with some flaw - like this:

    // note: enforcing long literals (L), without it the values would just be wrong.
    Date date = new Date(1220227200L * 1000L); 
    

    Now, to display the date correctly, one can use java.text.DateFormat as illustrated hereafter:

    DateFormat df = DateFormat.getDateTimeInstance(DateFormat.FULL, DateFormat.FULL);
    df.setTimeZone(TimeZone.getTimeZone("UTC"));
    System.out.println("Wrong date time value: " + date);
    System.out.println("Correct date time value: " + df.format(date));
    

    Below are the results of displaying the converted long value to java.util.Date without using and using the DateFormat:

    Date wrong (off by 2 hours): Mon Sep 01 02:00:00 CEST 2008
    Correct date : Monday, 1 September 2008 00:00:00 o'clock UTC
    

    How to programmatically disable page scrolling with jQuery

    If you just want to disable scrolling with keyboard navigation, you can override keydown event.

    $(document).on('keydown', function(e){
        e.preventDefault();
        e.stopPropagation();
    });
    

    Android Open External Storage directory(sdcard) for storing file

    hope it's worked for you:

    File yourFile = new File(Environment.getExternalStorageDirectory(), "textarabics.txt");
    

    This will give u sdcard path:

    File path = Environment.getExternalStorageDirectory();
    

    Try this:

    String pathName = "/mnt/";
    

    or try this:

    String pathName = "/storage/";
    

    Check that a input to UITextField is numeric only

    If you want a user to only be allowed to enter numerals, you can make your ViewController implement part of UITextFieldDelegate and define this method:

    - (BOOL)textField:(UITextField *)textField shouldChangeCharactersInRange:(NSRange)range replacementString:(NSString *)string {
      NSString *resultingString = [textField.text stringByReplacingCharactersInRange: range withString: string];
    
      // The user deleting all input is perfectly acceptable.
      if ([resultingString length] == 0) {
        return true;
      }
    
      NSInteger holder;
    
      NSScanner *scan = [NSScanner scannerWithString: resultingString];
    
      return [scan scanInteger: &holder] && [scan isAtEnd];
    }
    

    There are probably more efficient ways, but I find this a pretty convenient way. And the method should be readily adaptable to validating doubles or whatever: just use scanDouble: or similar.

    How to find array / dictionary value using key?

    It's as simple as this :

    $array[$key];
    

    PHP absolute path to root

    This is my way to find the rootstart. Create at ROOT start a file with name mainpath.php

    <?php 
    ## DEFINE ROOTPATH
    $check_data_exist = ""; 
    
    $i_surf = 0;
    
    // looking for mainpath.php at the aktiv folder or higher folder
    
    while (!file_exists($check_data_exist."mainpath.php")) {
      $check_data_exist .= "../"; 
      $i_surf++;
      // max 7 folder deep
      if ($i_surf == 7) { 
       return false;
      }
    }
    
    define("MAINPATH", ($check_data_exist ? $check_data_exist : "")); 
    ?>
    

    For me is that the best and easiest way to find them. ^^

    How do I rename a column in a database table using SQL?

    In sql server you can use

    exec sp_rename '<TableName.OldColumnName>','<NewColumnName>','COLUMN'
    

    or

    sp_rename '<TableName.OldColumnName>','<NewColumnName>','COLUMN'
    

    LINQ to SQL using GROUP BY and COUNT(DISTINCT)

    Linq to sql has no support for Count(Distinct ...). You therefore have to map a .NET method in code onto a Sql server function (thus Count(distinct.. )) and use that.

    btw, it doesn't help if you post pseudo code copied from a toolkit in a format that's neither VB.NET nor C#.

    Find and replace with a newline in Visual Studio Code

    On my mac version of VS Code, I select the section, then the shortcut is Ctrl+j to remove line breaks.

    Xcode - Warning: Implicit declaration of function is invalid in C99

    should call the function properly; like- Fibonacci:input

    What's the -practical- difference between a Bare and non-Bare repository?

    A bare repository is nothing but the .git folder itself i.e. the contents of a bare repository is same as the contents of .git folder inside your local working repository.

    • Use bare repository on a remote server to allow multiple contributors to push their work.
    • Non-bare - The one which has working tree makes sense on the local machine of each contributor of your project.

    One line if statement not working

    You can Use ----

    (@item.rigged) ? "Yes" : "No"

    If @item.rigged is true, it will return 'Yes' else it will return 'No'

    Property 'json' does not exist on type 'Object'

    The other way to tackle it is to use this code snippet:

    JSON.parse(JSON.stringify(response)).data
    

    This feels so wrong but it works

    Wordpress keeps redirecting to install-php after migration

    There can be many causes to this problem.

    My suggestion is to turn on WP_DEBUG in wp-config.php

    define('WP_DEBUG', true);
    

    How to detect if a string contains at least a number?

    Use this:

    SELECT * FROM Table WHERE Column LIKE '%[0-9]%'
    

    MSDN - LIKE (Transact-SQL)

    Open Facebook page from Android app?

    I have created a method to open facebook page into facebook app, if app is not existing then opening in chrome

        String socailLink="https://www.facebook.com/kfc";
        Intent intent = new Intent(Intent.ACTION_VIEW);
        String facebookUrl = Utils.getFacebookUrl(getActivity(), socailLink);
        if (facebookUrl == null || facebookUrl.length() == 0) {
            Log.d("facebook Url", " is coming as " + facebookUrl);
            return;
        }
        intent.setData(Uri.parse(facebookUrl));
        startActivity(intent);
    

    Utils.class add these method

    public static String getFacebookUrl(FragmentActivity activity, String facebook_url) {
        if (activity == null || activity.isFinishing()) return null;
    
        PackageManager packageManager = activity.getPackageManager();
        try {
            int versionCode = packageManager.getPackageInfo("com.facebook.katana", 0).versionCode;
            if (versionCode >= 3002850) { //newer versions of fb app
                Log.d("facebook api", "new");
                return "fb://facewebmodal/f?href=" + facebook_url;
            } else { //older versions of fb app
                Log.d("facebook api", "old");
                return "fb://page/" + splitUrl(activity, facebook_url);
            }
        } catch (PackageManager.NameNotFoundException e) {
            Log.d("facebook api", "exception");
            return facebook_url; //normal web url
        }
    }
    

    and this

     /***
     * this method used to get the facebook profile name only , this method split domain into two part index 0 contains https://www.facebook.com and index 1 contains after / part
     * @param context contain context
     * @param url contains facebook url like https://www.facebook.com/kfc
     * @return if it successfully split then return "kfc"
     *
     * if exception in splitting then return "https://www.facebook.com/kfc"
     *
     */
     public static String splitUrl(Context context, String url) {
        if (context == null) return null;
        Log.d("Split string: ", url + " ");
        try {
            String splittedUrl[] = url.split(".com/");
            Log.d("Split string: ", splittedUrl[1] + " ");
            return splittedUrl.length == 2 ? splittedUrl[1] : url;
        } catch (Exception ex) {
            return url;
        }
    }
    

    How to link html pages in same or different folders?

    use the relative path

    main page might be: /index.html

    secondary page: /otherFolder/otherpage.html

    link would be like so:

    <a href="/otherFolder/otherpage.html">otherpage</a>
    

    How to use QueryPerformanceCounter?

    #include <windows.h>
    
    double PCFreq = 0.0;
    __int64 CounterStart = 0;
    
    void StartCounter()
    {
        LARGE_INTEGER li;
        if(!QueryPerformanceFrequency(&li))
        cout << "QueryPerformanceFrequency failed!\n";
    
        PCFreq = double(li.QuadPart)/1000.0;
    
        QueryPerformanceCounter(&li);
        CounterStart = li.QuadPart;
    }
    double GetCounter()
    {
        LARGE_INTEGER li;
        QueryPerformanceCounter(&li);
        return double(li.QuadPart-CounterStart)/PCFreq;
    }
    
    int main()
    {
        StartCounter();
        Sleep(1000);
        cout << GetCounter() <<"\n";
        return 0;
    }
    

    This program should output a number close to 1000 (windows sleep isn't that accurate, but it should be like 999).

    The StartCounter() function records the number of ticks the performance counter has in the CounterStart variable. The GetCounter() function returns the number of milliseconds since StartCounter() was last called as a double, so if GetCounter() returns 0.001 then it has been about 1 microsecond since StartCounter() was called.

    If you want to have the timer use seconds instead then change

    PCFreq = double(li.QuadPart)/1000.0;
    

    to

    PCFreq = double(li.QuadPart);
    

    or if you want microseconds then use

    PCFreq = double(li.QuadPart)/1000000.0;
    

    But really it's about convenience since it returns a double.

    How to check if an element is in an array

    If you are checking if an instance of a custom class or struct is contained in an array, you'll need to implement the Equatable protocol before you can use .contains(myObject).

    For example:

    struct Cup: Equatable {
        let filled:Bool
    }
    
    static func ==(lhs:Cup, rhs:Cup) -> Bool { // Implement Equatable
        return lhs.filled == rhs.filled
    }
    

    then you can do:

    cupArray.contains(myCup)
    

    Tip: The == override should be at the global level, not within your class/struct

    problem with <select> and :after with CSS in WebKit

    <div class="select">
    <select name="you_are" id="dropdown" class="selection">
    <option value="0" disabled selected>Select</option>
    <option value="1">Student</option>
    <option value="2">Full-time Job</option>
    <option value="2">Part-time Job</option>
    <option value="3">Job-Seeker</option>
    <option value="4">Nothing Yet</option>
    </select>
    </div>
    

    Insted of styling the select why dont you add a div out-side the select.

    and style then in CSS

    .select{
        width: 100%;
        height: 45px;
        position: relative;
    }
    .select::after{
        content: '\f0d7';
        position: absolute;
        top: 0px;
        right: 10px;
        font-family: 'Font Awesome 5 Free';
        font-weight: 900;
        color: #0b660b;
        font-size: 45px;
        z-index: 2;
    
    }
    #dropdown{
        -webkit-appearance: button;
           -moz-appearance: button;
                appearance: button;
                height: 45px;
                width: 100%;
            outline: none;
            border: none;
            border-bottom: 2px solid #0b660b;
            font-size: 20px;
            background-color: #0b660b23;
            box-sizing: border-box;
            padding-left: 10px;
            padding-right: 10px;
    }
    

    How do I send a POST request as a JSON?

    If your server is expecting the POST request to be json, then you would need to add a header, and also serialize the data for your request...

    Python 2.x

    import json
    import urllib2
    
    data = {
            'ids': [12, 3, 4, 5, 6]
    }
    
    req = urllib2.Request('http://example.com/api/posts/create')
    req.add_header('Content-Type', 'application/json')
    
    response = urllib2.urlopen(req, json.dumps(data))
    

    Python 3.x

    https://stackoverflow.com/a/26876308/496445


    If you don't specify the header, it will be the default application/x-www-form-urlencoded type.

    Using .Select and .Where in a single LINQ statement

    Did you add the Select() after the Where() or before?

    You should add it after, because of the concurrency logic:

     1 Take the entire table  
     2 Filter it accordingly  
     3 Select only the ID's  
     4 Make them distinct.  
    

    If you do a Select first, the Where clause can only contain the ID attribute because all other attributes have already been edited out.

    Update: For clarity, this order of operators should work:

    db.Items.Where(x=> x.userid == user_ID).Select(x=>x.Id).Distinct();
    

    Probably want to add a .toList() at the end but that's optional :)

    best practice to generate random token for forgot password

    The earlier version of the accepted answer (md5(uniqid(mt_rand(), true))) is insecure and only offers about 2^60 possible outputs -- well within the range of a brute force search in about a week's time for a low-budget attacker:

    Since a 56-bit DES key can be brute-forced in about 24 hours, and an average case would have about 59 bits of entropy, we can calculate 2^59 / 2^56 = about 8 days. Depending on how this token verification is implemented, it might be possible to practically leak timing information and infer the first N bytes of a valid reset token.

    Since the question is about "best practices" and opens with...

    I want to generate identifier for forgot password

    ...we can infer that this token has implicit security requirements. And when you add security requirements to a random number generator, the best practice is to always use a cryptographically secure pseudorandom number generator (abbreviated CSPRNG).


    Using a CSPRNG

    In PHP 7, you can use bin2hex(random_bytes($n)) (where $n is an integer larger than 15).

    In PHP 5, you can use random_compat to expose the same API.

    Alternatively, bin2hex(mcrypt_create_iv($n, MCRYPT_DEV_URANDOM)) if you have ext/mcrypt installed. Another good one-liner is bin2hex(openssl_random_pseudo_bytes($n)).

    Separating the Lookup from the Validator

    Pulling from my previous work on secure "remember me" cookies in PHP, the only effective way to mitigate the aforementioned timing leak (typically introduced by the database query) is to separate the lookup from the validation.

    If your table looks like this (MySQL)...

    CREATE TABLE account_recovery (
        id INTEGER(11) UNSIGNED NOT NULL AUTO_INCREMENT 
        userid INTEGER(11) UNSIGNED NOT NULL,
        token CHAR(64),
        expires DATETIME,
        PRIMARY KEY(id)
    );
    

    ... you need to add one more column, selector, like so:

    CREATE TABLE account_recovery (
        id INTEGER(11) UNSIGNED NOT NULL AUTO_INCREMENT 
        userid INTEGER(11) UNSIGNED NOT NULL,
        selector CHAR(16),
        token CHAR(64),
        expires DATETIME,
        PRIMARY KEY(id),
        KEY(selector)
    );
    

    Use a CSPRNG When a password reset token is issued, send both values to the user, store the selector and a SHA-256 hash of the random token in the database. Use the selector to grab the hash and User ID, calculate the SHA-256 hash of the token the user provides with the one stored in the database using hash_equals().

    Example Code

    Generating a reset token in PHP 7 (or 5.6 with random_compat) with PDO:

    $selector = bin2hex(random_bytes(8));
    $token = random_bytes(32);
    
    $urlToEmail = 'http://example.com/reset.php?'.http_build_query([
        'selector' => $selector,
        'validator' => bin2hex($token)
    ]);
    
    $expires = new DateTime('NOW');
    $expires->add(new DateInterval('PT01H')); // 1 hour
    
    $stmt = $pdo->prepare("INSERT INTO account_recovery (userid, selector, token, expires) VALUES (:userid, :selector, :token, :expires);");
    $stmt->execute([
        'userid' => $userId, // define this elsewhere!
        'selector' => $selector,
        'token' => hash('sha256', $token),
        'expires' => $expires->format('Y-m-d\TH:i:s')
    ]);
    

    Verifying the user-provided reset token:

    $stmt = $pdo->prepare("SELECT * FROM account_recovery WHERE selector = ? AND expires >= NOW()");
    $stmt->execute([$selector]);
    $results = $stmt->fetchAll(PDO::FETCH_ASSOC);
    if (!empty($results)) {
        $calc = hash('sha256', hex2bin($validator));
        if (hash_equals($calc, $results[0]['token'])) {
            // The reset token is valid. Authenticate the user.
        }
        // Remove the token from the DB regardless of success or failure.
    }
    

    These code snippets are not complete solutions (I eschewed the input validation and framework integrations), but they should serve as an example of what to do.

    Understanding SQL Server LOCKS on SELECT queries

    On performance you keep focusing on select.
    Shared does not block reads.
    Shared lock blocks update.
    If you have hundreds of shared locks it is going to take an update a while to get an exclusive lock as it must wait for shared locks to clear.

    By default a select (read) takes a shared lock.
    Shared (S) locks allow concurrent transactions to read (SELECT) a resource.
    A shared lock as no effect on other selects (1 or a 1000).

    The difference is how the nolock versus shared lock effects update or insert operation.

    No other transactions can modify the data while shared (S) locks exist on the resource.

    A shared lock blocks an update!
    But nolock does not block an update.

    This can have huge impacts on performance of updates. It also impact inserts.

    Dirty read (nolock) just sounds dirty. You are never going to get partial data. If an update is changing John to Sally you are never going to get Jolly.

    I use shared locks a lot for concurrency. Data is stale as soon as it is read. A read of John that changes to Sally the next millisecond is stale data. A read of Sally that gets rolled back John the next millisecond is stale data. That is on the millisecond level. I have a dataloader that take 20 hours to run if users are taking shared locks and 4 hours to run is users are taking no lock. Shared locks in this case cause data to be 16 hours stale.

    Don't use nolocks wrong. But they do have a place. If you are going to cut a check when a byte is set to 1 and then set it to 2 when the check is cut - not a time for a nolock.

    Defining a HTML template to append using JQuery

    You could decide to make use of a templating engine in your project, such as:

    If you don't want to include another library, John Resig offers a jQuery solution, similar to the one below.


    Browsers and screen readers ignore unrecognized script types:

    <script id="hidden-template" type="text/x-custom-template">
        <tr>
            <td>Foo</td>
            <td>Bar</td>
        <tr>
    </script>
    

    Using jQuery, adding rows based on the template would resemble:

    var template = $('#hidden-template').html();
    
    $('button.addRow').click(function() {
        $('#targetTable').append(template);
    });
    

    How can I generate random number in specific range in Android?

    Random r = new Random();
    int i1 = r.nextInt(80 - 65) + 65;
    

    This gives a random integer between 65 (inclusive) and 80 (exclusive), one of 65,66,...,78,79.

    Read user input inside a loop

    You can redirect the regular stdin through unit 3 to keep the get it inside the pipeline:

    { cat notify-finished | while read line; do
        read -u 3 input
        echo "$input"
    done; } 3<&0
    

    BTW, if you really are using cat this way, replace it with a redirect and things become even easier:

    while read line; do
        read -u 3 input
        echo "$input"
    done 3<&0 <notify-finished
    

    Or, you can swap stdin and unit 3 in that version -- read the file with unit 3, and just leave stdin alone:

    while read line <&3; do
        # read & use stdin normally inside the loop
        read input
        echo "$input"
    done 3<notify-finished
    

    How do I install a color theme for IntelliJ IDEA 7.0.x

    Like nearly everyone else said, go to file -> Import Settings.

    But if you don't see the "Import Settings" option under the file menu, you need to disable 2 plugins : IDE Settings Sync and Settings Repository

    enter image description here

    How to check if a file exists from inside a batch file

    Try something like the following example, quoted from the output of IF /? on Windows XP:

    IF EXIST filename. (
        del filename.
    ) ELSE (
        echo filename. missing.
    )
    

    You can also check for a missing file with IF NOT EXIST.

    The IF command is quite powerful. The output of IF /? will reward careful reading. For that matter, try the /? option on many of the other built-in commands for lots of hidden gems.  

    Understanding lambda in python and using it to pass multiple arguments

    Why do you need to state both 'x' and 'y' before the ':'?

    You could actually in some situations(when you have only one argument) do not put the x and y before ":".

    >>> flist = []
    >>> for i in range(3):
    ...     flist.append(lambda : i)
    

    but the i in the lambda will be bound by name, so,

    >>> flist[0]()
    2
    >>> flist[2]()
    2
    >>>
    

    different from what you may want.

    How to resolve Error : Showing a modal dialog box or form when the application is not running in UserInteractive mode is not a valid operation

    For Vb.Net Framework 4.0, U can use:

    Alert("your message here", Boolean)
    

    The Boolean here can be True or False. True If you want to close the window right after, False If you want to keep the window open.

    How do I simulate a low bandwidth, high latency environment?

    Charles

    I came across Charles the web debugging proxy application and had great success in emulating network latency. It works on Windows, Mac, and Linux.

    Charles on Mac

    Bandwidth throttle / Bandwidth simulator

    Charles can be used to adjust the bandwidth and latency of your Internet connection. This enables you to simulate modem conditions using your high-speed connection.

    The bandwidth may be throttled to any arbitrary bytes per second. This enables any connection speed to be simulated.

    The latency may also be set to any arbitrary number of milliseconds. The latency delay simulates the latency experienced on slower connections, that is the delay between making a request and the request being received at the other end.

    DummyNet

    You could also use vmware to run BSD or Linux and try this article (DummyNet) or this one.

    "com.jcraft.jsch.JSchException: Auth fail" with working passwords

    in my case I was using below dependency

    <dependency>
        <groupId>com.jcraft</groupId>
        <artifactId>jsch</artifactId>
        <version>0.1.42</version>
    </dependency> 
    

    and getting the same exception of Auth fail, but updated dependency to below version and problem get resolved.

    <dependency>
        <groupId>com.jcraft</groupId>
        <artifactId>jsch</artifactId>
        <version>0.1.54</version>
    </dependency>
    

    How to show validation message below each textbox using jquery?

    The way I would do it is to create paragraph tags where you want your error messages with the same class and show them when the data is invalid. Here is my fiddle

    if ($('#email').val() == '' || !$('#password').val() == '') {
        $('.loginError').show();
        return false;
    }
    

    I also added the paragraph tags below the email and password inputs

    <p class="loginError" style="display:none;">please enter your email address or password.</p>
    

    Correct way to detach from a container without stopping it

    You can simply kill docker cli process by sending SEGKILL. If you started the container with

    docker run -it some/container

    You can get it's pid

    ps -aux | grep docker

    user   1234  0.3  0.6 1357948 54684 pts/2   Sl+  15:09   0:00 docker run -it some/container
    

    let's say it's 1234, you can "detach" it with

    kill -9 1234

    It's somewhat of a hack but it works!

    Choose Git merge strategy for specific files ("ours", "mine", "theirs")

    Even though this question is answered, providing an example as to what "theirs" and "ours" means in the case of git rebase vs merge. See this link

    Git Rebase
    theirs is actually the current branch in the case of rebase. So the below set of commands are actually accepting your current branch changes over the remote branch.

    # see current branch
    $ git branch
    ... 
    * branch-a
    # rebase preferring current branch changes during conflicts
    $ git rebase -X theirs branch-b
    

    Git Merge
    For merge, the meaning of theirs and ours is reversed. So, to get the same effect during a merge, i.e., keep your current branch changes (ours) over the remote branch being merged (theirs).

    # assuming branch-a is our current version
    $ git merge -X ours branch-b  # <- ours: branch-a, theirs: branch-b
    

    java.lang.RuntimeException: Failure delivering result ResultInfo{who=null, request=1888, result=0, data=null} to activity

    Adding this first conditional should work:

    protected void onActivityResult(int requestCode, int resultCode, Intent data) { 
        if(resultCode != RESULT_CANCELED){
            if (requestCode == CAMERA_REQUEST) {  
                Bitmap photo = (Bitmap) data.getExtras().get("data"); 
                imageView.setImageBitmap(photo);
            }
        }
    }
    

    Difference between web server, web container and application server

    Web container also known as a Servlet container is the component of a web server that interacts with Java servlets. A web container is responsible for managing the lifecycle of servlets, mapping a URL to a particular servlet and ensuring that the URL requester has the correct access rights.

    How Do I Get the Query Builder to Output Its Raw SQL Query as a String?

    A 'macroable' replacement to get the SQL query with the bindings.

    1. Add below macro function in AppServiceProvider boot() method.

      \Illuminate\Database\Query\Builder::macro('toRawSql', function(){
          return array_reduce($this->getBindings(), function($sql, $binding){
              return preg_replace('/\?/', is_numeric($binding) ? $binding : "'".$binding."'" , $sql, 1);
          }, $this->toSql());
      });
      
    2. Add an alias for the Eloquent Builder. (Laravel 5.4+)

      \Illuminate\Database\Eloquent\Builder::macro('toRawSql', function(){
          return ($this->getQuery()->toRawSql());
      });
      
    3. Then debug as usual. (Laravel 5.4+)

      E.g. Query Builder

      \Log::debug(\DB::table('users')->limit(1)->toRawSql())
      

      E.g. Eloquent Builder

      \Log::debug(\App\User::limit(1)->toRawSql());
      

    Note: from Laravel 5.1 to 5.3, Since Eloquent Builder doesn't make use of the Macroable trait, cannot add toRawSql an alias to the Eloquent Builder on the fly. Follow the below example to achieve the same.

    E.g. Eloquent Builder (Laravel 5.1 - 5.3)

    \Log::debug(\App\User::limit(1)->getQuery()->toRawSql());
    

    Numpy ValueError: setting an array element with a sequence. This message may appear without the existing of a sequence?

    I believe python arrays just admit values. So convert it to list:

    kOUT = np.zeros(N+1)
    kOUT = kOUT.tolist()
    

    How to access component methods from “outside” in ReactJS?

    React provides an interface for what you are trying to do via the ref attribute. Assign a component a ref, and its current attribute will be your custom component:

    class Parent extends React.Class {
        constructor(props) {
            this._child = React.createRef();
        }
    
        componentDidMount() {
            console.log(this._child.current.someMethod()); // Prints 'bar'
        }
    
        render() {
            return (
                <div>
                    <Child ref={this._child} />
                </div>
            );
        }
    }
    

    Note: This will only work if the child component is declared as a class, as per documentation found here: https://facebook.github.io/react/docs/refs-and-the-dom.html#adding-a-ref-to-a-class-component

    Update 2019-04-01: Changed example to use a class and createRef per latest React docs.

    Update 2016-09-19: Changed example to use ref callback per guidance from the ref String attribute docs.

    Python socket connection timeout

    You just need to use the socket settimeout() method before attempting the connect(), please note that after connecting you must settimeout(None) to set the socket into blocking mode, such is required for the makefile . Here is the code I am using:

    sock = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
    sock.settimeout(10)
    sock.connect(address)
    sock.settimeout(None)
    fileobj = sock.makefile('rb', 0)
    

    Can I force pip to reinstall the current version?

    If you have a text file with loads of packages you need to add the -r flag

    pip install --upgrade --no-deps --force-reinstall -r requirements.txt
    

    Angular HttpClient "Http failure during parsing"

    I had the same problem and the cause was That at time of returning a string in your backend (spring) you might be returning as return "spring used"; But this isn't parsed right according to spring. Instead use return "\" spring used \""; -Peace out

    Simulating group_concat MySQL function in Microsoft SQL Server 2005?

    UPDATE 2020: SQL Server 2016+ JSON Serialization and De-serialization Examples

    The data provided by the OP inserted into a temporary table called #project_members

    drop table if exists #project_members;
    create table #project_members(
      empName        varchar(20) not null,
      projID         varchar(20) not null);
    go
    insert #project_members(empName, projID) values
    ('ANDY', 'A100'),
    ('ANDY', 'B391'),
    ('ANDY', 'X010'),
    ('TOM', 'A100'),
    ('TOM', 'A510');
    

    How to serialize this data into a single JSON string with a nested array containing projID's

    select empName, (select pm_json.projID 
                     from #project_members pm_json 
                     where pm.empName=pm_json.empName 
                     for json path, root('projList')) projJSON
    from #project_members pm
    group by empName
    for json path;
    

    Result

    '[
      {
        "empName": "ANDY",
        "projJSON": {
          "projList": [
            { "projID": "A100" },
            { "projID": "B391" },
            { "projID": "X010" }
          ]
        }
      },
      {
        "empName": "TOM",
        "projJSON": {
          "projList": [
            { "projID": "A100" },
            { "projID": "A510" }
          ]
        }
      }
    ]'
    

    How to de-serialize this data from a single JSON string back to it's original rows and columns

    declare @json           nvarchar(max)=N'[{"empName":"ANDY","projJSON":{"projList":[{"projID":"A100"},
                                             {"projID":"B391"},{"projID":"X010"}]}},{"empName":"TOM","projJSON":
                                             {"projList":[{"projID":"A100"},{"projID":"A510"}]}}]';
    
    select oj.empName, noj.projID 
    from openjson(@json) with (empName        varchar(20),
                               projJSON       nvarchar(max) as json) oj
         cross apply openjson(oj.projJSON, '$.projList') with (projID    varchar(20)) noj;
    

    Results

    empName projID
    ANDY    A100
    ANDY    B391
    ANDY    X010
    TOM     A100
    TOM     A510
    

    How to persist the unique empName to a table and store the projID's in a nested JSON array

    drop table if exists #project_members_with_json;
    create table #project_members_with_json(
      empName        varchar(20) unique not null,
      projJSON       nvarchar(max) not null);
    go
    insert #project_members_with_json(empName, projJSON) 
    select empName, (select pm_json.projID 
                     from #project_members pm_json 
                     where pm.empName=pm_json.empName 
                     for json path, root('projList')) 
    from #project_members pm
    group by empName;
    

    Results

    empName projJSON
    ANDY    {"projList":[{"projID":"A100"},{"projID":"B391"},{"projID":"X010"}]}
    TOM     {"projList":[{"projID":"A100"},{"projID":"A510"}]}
    

    How to de-serialize from a table with unique empName and nested JSON array column containing projID's

    select wj.empName, oj.projID
    from
      #project_members_with_json wj
     cross apply
      openjson(wj.projJSON, '$.projList') with (projID    varchar(20)) oj;
    

    Results

    empName projID
    ANDY    A100
    ANDY    B391
    ANDY    X010
    TOM     A100
    TOM     A510
    

    Configuring ObjectMapper in Spring

    I am using Spring 3.2.4 and Jackson FasterXML 2.1.1.

    I have created a custom JacksonObjectMapper that works with explicit annotations for each attribute of the Objects mapped:

    package com.test;
    import com.fasterxml.jackson.annotation.JsonAutoDetect;
    import com.fasterxml.jackson.annotation.PropertyAccessor;
    import com.fasterxml.jackson.databind.ObjectMapper;
    import com.fasterxml.jackson.databind.SerializationFeature;
    
    public class MyJaxbJacksonObjectMapper extends ObjectMapper {
    
    public MyJaxbJacksonObjectMapper() {
    
        this.setVisibility(PropertyAccessor.FIELD, JsonAutoDetect.Visibility.ANY)
                .setVisibility(PropertyAccessor.CREATOR, JsonAutoDetect.Visibility.ANY)
                .setVisibility(PropertyAccessor.SETTER, JsonAutoDetect.Visibility.NONE)
                .setVisibility(PropertyAccessor.GETTER, JsonAutoDetect.Visibility.NONE)
                .setVisibility(PropertyAccessor.IS_GETTER, JsonAutoDetect.Visibility.NONE);
    
        this.configure(SerializationFeature.FAIL_ON_EMPTY_BEANS, false);
        }
    }
    

    Then this is instantiated in the context-configuration (servlet-context.xml):

    <mvc:annotation-driven>
        <mvc:message-converters>
    
            <beans:bean class="org.springframework.http.converter.json.MappingJackson2HttpMessageConverter">
                <beans:property name="objectMapper">
                    <beans:bean class="com.test.MyJaxbJacksonObjectMapper" />
                </beans:property>
            </beans:bean>
    
        </mvc:message-converters>
    </mvc:annotation-driven>
    

    This works fine!

    Linux: is there a read or recv from socket with timeout?

    Install a handler for SIGALRM, then use alarm() or ualarm() before a regular blocking recv(). If the alarm goes off, the recv() will return an error with errno set to EINTR.

    Why should text files end with a newline?

    Basically there are many programs which will not process files correctly if they don't get the final EOL EOF.

    GCC warns you about this because it's expected as part of the C standard. (section 5.1.1.2 apparently)

    "No newline at end of file" compiler warning

    What to do with branch after merge

    After the merge, it's safe to delete the branch:

    git branch -d branch1
    

    Additionally, git will warn you (and refuse to delete the branch) if it thinks you didn't fully merge it yet. If you forcefully delete a branch (with git branch -D) which is not completely merged yet, you have to do some tricks to get the unmerged commits back though (see below).

    There are some reasons to keep a branch around though. For example, if it's a feature branch, you may want to be able to do bugfixes on that feature still inside that branch.

    If you also want to delete the branch on a remote host, you can do:

    git push origin :branch1
    

    This will forcefully delete the branch on the remote (this will not affect already checked-out repositiories though and won't prevent anyone with push access to re-push/create it).


    git reflog shows the recently checked out revisions. Any branch you've had checked out in the recent repository history will also show up there. Aside from that, git fsck will be the tool of choice at any case of commit-loss in git.

    How to update and order by using ms sql

    I have to offer this as a better approach - you don't always have the luxury of an identity field:

    UPDATE m
    SET [status]=10
    FROM (
      Select TOP (10) *
      FROM messages
      WHERE [status]=0
      ORDER BY [priority] DESC
    ) m
    

    You can also make the sub-query as complicated as you want - joining multiple tables, etc...

    Why is this better? It does not rely on the presence of an identity field (or any other unique column) in the messages table. It can be used to update the top N rows from any table, even if that table has no unique key at all.

    Change Input to Upper Case

    you can try this HTML

    <input id="pan" onkeyup="inUpper()" />
    

    javaScript

    function _( x ) {
      return document.getElementById( x );
    }
      // convert text in upper case
      function inUpper() {
        _('pan').value = _('pan').value.toUpperCase();
      }
    

    Where is web.xml in Eclipse Dynamic Web Project

    When you open Eclipse you should click File ? New ? Dynamic Web Project, and make sure you checked Generate web.xml, as described above.

    If you have already created the project, you should go to the WebContent/WEB-INF folder, open web.xml, and put the following lines:

    <?xml version="1.0" encoding="UTF-8"?>
    <web-app xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns="http://java.sun.com/xml/ns/javaee" xmlns:web="http://java.sun.com/xml/ns/javaee/web-app_2_5.xsd" xsi:schemaLocation="http://java.sun.com/xml/ns/javaee http://java.sun.com/xml/ns/javaee/web-app_3_0.xsd" id="WebApp_ID" version="3.0">
        <display-name>Application Name </display-name>
        <welcome-file-list>
            <welcome-file>index.html</welcome-file>
        </welcome-file-list>
    </web-app>
    

    git command to move a folder inside another

    Make sure you have added all your changes to the staging area before running

    git mv oldFolderName newFoldername
    

    git fails with error

    fatal: bad source, source=oldFolderName/somepath/somefile.foo, destination=newFolderName/somepath/somefile.foo
    

    if there are any unadded files, so I just found out.

    How do you overcome the HTML form nesting limitation?

    Alternatively you could assign the form actiob on the fly...might not be the best solution, but sure does relieve the server-side logic...

    <form name="frm" method="post">  
        <input type="submit" value="One" onclick="javascript:this.form.action='1.htm'" />  
        <input type="submit" value="Two" onclick="javascript:this.form.action='2.htm'" />  
    </form>
    

    Consider marking event handler as 'passive' to make the page more responsive

    For jquery-ui-dragable with jquery-ui-touch-punch I fixed it similar to Iván Rodríguez, but with one more event override for touchmove:

    jQuery.event.special.touchstart = {
        setup: function( _, ns, handle ) {
            this.addEventListener('touchstart', handle, { passive: !ns.includes('noPreventDefault') });
        }
    };
    jQuery.event.special.touchmove = {
        setup: function( _, ns, handle ) {
            this.addEventListener('touchmove', handle, { passive: !ns.includes('noPreventDefault') });
        }
    };
    

    Is this very likely to create a memory leak in Tomcat?

    This problem appears when we are using any third party solution, without using the handlers for the cleanup activitiy. For me this was happening for EhCache. We were using EhCache in our project for caching. And often we used to see following error in the logs

     SEVERE: The web application [/products] appears to have started a thread named [products_default_cache_configuration] but has failed to stop it. This is very likely to create a memory leak.
    Aug 07, 2017 11:08:36 AM org.apache.catalina.loader.WebappClassLoader clearReferencesThreads
    SEVERE: The web application [/products] appears to have started a thread named [Statistics Thread-products_default_cache_configuration-1] but has failed to stop it. This is very likely to create a memory leak.
    

    And we often noticed tomcat failing for OutOfMemory error during development where we used to do backend changes and deploy the application multiple times for reflecting our changes.

    This is the fix we did

    <listener>
      <listener-class>
         net.sf.ehcache.constructs.web.ShutdownListener
      </listener-class>
    </listener>
    

    So point I am trying to make is check the documentation of the third party libraries which you are using. They should be providing some mechanisms to clean up the threads during shutdown. Which you need to use in your application. No need to re-invent the wheel unless its not provided by them. The worst case is to provide your own implementation.

    Reference for EHCache Shutdown http://www.ehcache.org/documentation/2.8/operations/shutdown.html

    Authentication plugin 'caching_sha2_password' is not supported

    Using MySql 8 I got the same error when connecting my code to the DB, using the pip install mysql-connector-python did solve this error.

    How to plot two histograms together in R?

    So many great answers but since I've just written a function (plotMultipleHistograms() in 'basicPlotteR' package) function to do this, I thought I would add another answer.

    The advantage of this function is that it automatically sets appropriate X and Y axis limits and defines a common set of bins that it uses across all the distributions.

    Here's how to use it:

    # Install the plotteR package
    install.packages("devtools")
    devtools::install_github("JosephCrispell/basicPlotteR")
    library(basicPlotteR)
    
    # Set the seed
    set.seed(254534)
    
    # Create random samples from a normal distribution
    distributions <- list(rnorm(500, mean=5, sd=0.5), 
                          rnorm(500, mean=8, sd=5), 
                          rnorm(500, mean=20, sd=2))
    
    # Plot overlapping histograms
    plotMultipleHistograms(distributions, nBins=20, 
                           colours=c(rgb(1,0,0, 0.5), rgb(0,0,1, 0.5), rgb(0,1,0, 0.5)), 
                           las=1, main="Samples from normal distribution", xlab="Value")
    

    enter image description here

    The plotMultipleHistograms() function can take any number of distributions, and all the general plotting parameters should work with it (for example: las, main, etc.).

    How can I combine multiple rows into a comma-delimited list in Oracle?

    The WM_CONCAT function (if included in your database, pre Oracle 11.2) or LISTAGG (starting Oracle 11.2) should do the trick nicely. For example, this gets a comma-delimited list of the table names in your schema:

    select listagg(table_name, ', ') within group (order by table_name) 
      from user_tables;
    

    or

    select wm_concat(table_name) 
      from user_tables;
    

    More details/options

    Link to documentation

    How to use a global array in C#?

    Your class shoud look something like this:

    class Something {     int[] array; //global array, replace type of course     void function1() {        array = new int[10]; //let say you declare it here that will be 10 integers in size     }     void function2() {        array[0] = 12; //assing value at index 0 to 12.     } } 

    That way you array will be accessible in both functions. However, you must be careful with global stuff, as you can quickly overwrite something.

    How to paste yanked text into the Vim command line

    "I'd like to paste yanked text into Vim command line."

    While the top voted answer is very complete, I prefer editing the command history.

    In normal mode, type: q:. This will give you a list of recent commands, editable and searchable with normal vim commands. You'll start on a blank command line at the bottom.

    For the exact thing that the article asks, pasting a yanked line (or yanked anything) into a command line, yank your text and then: q:p (get into command history edit mode, and then (p)ut your yanked text into a new command line. Edit at will, enter to execute.

    To get out of command history mode, it's the opposite. In normal mode in command history, type: :q + enter

    jquery toggle slide from left to right and back

    See this: Demo

    $('#cat_icon,.panel_title').click(function () {
       $('#categories,#cat_icon').stop().slideToggle('slow');
    });
    

    Update : To slide from left to right: Demo2

    Note: Second one uses jquery-ui also

    Jenkins Slave port number for firewall

    I have a similar scenario, and had no problem connecting after setting the JNLP port as you describe, and adding a single firewall rule allowing a connection on the server using that port. Granted it is a randomly selected client port going to a known server port (a host:ANY -> server:1 rule is needed).

    From my reading of the source code, I don't see a way to set the local port to use when making the request from the slave. It's unfortunate, it would be a nice feature to have.

    Alternatives:

    Use a simple proxy on your client that listens on port N and then does forward all data to the actual Jenkins server on the remote host using a constant local port. Connect your slave to this local proxy instead of the real Jenkins server.

    Create a custom Jenkins slave build that allows an option to specify the local port to use.

    Remember also if you are using HTTPS via a self-signed certificate, you must alter the configuration jenkins-slave.xml file on the slave to specify the -noCertificateCheck option on the command line.

    Find difference between timestamps in seconds in PostgreSQL

    Try: 

    SELECT EXTRACT(EPOCH FROM (timestamp_B - timestamp_A))
    FROM TableA
    

    Details here: EXTRACT.

    How to put attributes via XElement

    Add XAttribute in the constructor of the XElement, like

    new XElement("Conn", new XAttribute("Server", comboBox1.Text));
    

    You can also add multiple attributes or elements via the constructor

    new XElement("Conn", new XAttribute("Server", comboBox1.Text), new XAttribute("Database", combobox2.Text));
    

    or you can use the Add-Method of the XElement to add attributes

    XElement element = new XElement("Conn");
    XAttribute attribute = new XAttribute("Server", comboBox1.Text);
    element.Add(attribute);
    

    Find the index of a dict within a list, by matching the dict's value

    I needed a more general solution to account for the possibility of multiple dictionaries in the list having the key value, and a straightforward implementation using list comprehension:

    dict_indices = [i for i, d in enumerate(dict_list) if d[dict_key] == key_value] 
    

    How to Clone Objects

      public static T Clone<T>(T obj)
      {
          DataContractSerializer dcSer = new  DataContractSerializer(obj.GetType());
          MemoryStream memoryStream = new MemoryStream();
    
          dcSer.WriteObject(memoryStream, obj);
          memoryStream.Position = 0;
    
          T newObject = (T)dcSer.ReadObject(memoryStream);
          return newObject;
      }
    

    How to upgrade Angular CLI project?

    According to the documentation on here http://angularjs.blogspot.co.uk/2017/03/angular-400-now-available.html you 'should' just be able to run...

    npm install @angular/{common,compiler,compiler-cli,core,forms,http,platform-browser,platform-browser-dynamic,platform-server,router,animations}@latest typescript@latest --save

    I tried it and got a couple of errors due to my zone.js and ngrx/store libraries being older versions.

    Updating those to the latest versions npm install zone.js@latest --save and npm install @ngrx/store@latest -save, then running the angular install again worked for me.

    How to send JSON instead of a query string with $.ajax?

    While I know many architectures like ASP.NET MVC have built-in functionality to handle JSON.stringify as the contentType my situation is a little different so maybe this may help someone in the future. I know it would have saved me hours!

    Since my http requests are being handled by a CGI API from IBM (AS400 environment) on a different subdomain these requests are cross origin, hence the jsonp. I actually send my ajax via javascript object(s). Here is an example of my ajax POST:

     var data = {USER : localProfile,  
            INSTANCE : "HTHACKNEY",  
            PAGE : $('select[name="PAGE"]').val(), 
            TITLE : $("input[name='TITLE']").val(), 
            HTML : html,
            STARTDATE : $("input[name='STARTDATE']").val(), 
            ENDDATE : $("input[name='ENDDATE']").val(),
            ARCHIVE : $("input[name='ARCHIVE']").val(), 
            ACTIVE : $("input[name='ACTIVE']").val(), 
            URGENT : $("input[name='URGENT']").val(), 
            AUTHLST :  authStr};
            //console.log(data);
           $.ajax({
                type: "POST",
               url:   "http://www.domian.com/webservicepgm?callback=?",
               data:  data,
               dataType:'jsonp'
           }).
           done(function(data){
             //handle data.WHATEVER
           });
    

    How to show full column content in a Spark Dataframe?

    If you put results.show(false) , results will not be truncated

    How to compile the finished C# project and then run outside Visual Studio?

    Compile the Release version as .exe file, then just copy onto a machine with a suitable version of .NET Framework installed and run it there. The .exe file is located in the bin\Release subfolder of the project folder.

    Getting a better understanding of callback functions in JavaScript

    Callbacks are about signals and "new" is about creating object instances.

    In this case it would be even more appropriate to execute just "callback();" than "return new callback()" because you aren't doing anything with a return value anyway.

    (And the arguments.length==3 test is really clunky, fwiw, better to check that callback param exists and is a function.)

    Installation Issue with matplotlib Python

    Problem Cause

    In mac os image rendering back end of matplotlib (what-is-a-backend to render using the API of Cocoa by default). There are Qt4Agg and GTKAgg and as a back-end is not the default. Set the back end of macosx that is differ compare with other windows or linux os.

    Solution

    • I assume you have installed the pip matplotlib, there is a directory in your root called ~/.matplotlib.
    • Create a file ~/.matplotlib/matplotlibrc there and add the following code: backend: TkAgg

    From this link you can try different diagrams.

    jquery mobile background image

    I found this answer works for me

    <style type="text/css">
    #background{ 
    position: fixed; 
    top: 0; 
    left: 0; 
    width: 100% !important; 
    height: 100% !important; 
    background: url(mobile-images/limo-service.jpg) no-repeat center center fixed !important; 
    -webkit-background-size: cover; 
    -moz-background-size: cover; 
    -o-background-size: cover; 
    background-size: cover; 
    z-index: -1; 
    } 
    .ui-page{ 
    background:none; 
    }
    </style>    
    

    also add id="background" to the div for your content section

    <div data-role="page" data-theme="a">
      <div data-role="main" class="ui-content" id="background">
      </div>
    </div>
    

    Reading HTTP headers in a Spring REST controller

    The error that you get does not seem to be related to the RequestHeader.

    And you seem to be confusing Spring REST services with JAX-RS, your method signature should be something like:

    @RequestMapping(produces = "application/json", method = RequestMethod.GET, value = "data")
    @ResponseBody
    public ResponseEntity<Data> getData(@RequestHeader(value="User-Agent") String userAgent, @RequestParam(value = "ID", defaultValue = "") String id) {
        // your code goes here
    }
    

    And your REST class should have annotations like:

    @Controller
    @RequestMapping("/rest/")
    


    Regarding the actual question, another way to get HTTP headers is to insert the HttpServletRequest into your method and then get the desired header from there.

    Example:

    @RequestMapping(produces = "application/json", method = RequestMethod.GET, value = "data")
    @ResponseBody
    public ResponseEntity<Data> getData(HttpServletRequest request, @RequestParam(value = "ID", defaultValue = "") String id) {
        String userAgent = request.getHeader("user-agent");
    }
    

    Don't worry about the injection of the HttpServletRequest because Spring does that magic for you ;)

    Java: How to read a text file

    This example code shows you how to read file in Java.

    import java.io.*;
    
    /**
     * This example code shows you how to read file in Java
     *
     * IN MY CASE RAILWAY IS MY TEXT FILE WHICH I WANT TO DISPLAY YOU CHANGE WITH YOUR   OWN      
     */
    
     public class ReadFileExample 
     {
        public static void main(String[] args) 
        {
           System.out.println("Reading File from Java code");
           //Name of the file
           String fileName="RAILWAY.txt";
           try{
    
              //Create object of FileReader
              FileReader inputFile = new FileReader(fileName);
    
              //Instantiate the BufferedReader Class
              BufferedReader bufferReader = new BufferedReader(inputFile);
    
              //Variable to hold the one line data
              String line;
    
              // Read file line by line and print on the console
              while ((line = bufferReader.readLine()) != null)   {
                System.out.println(line);
              }
              //Close the buffer reader
              bufferReader.close();
           }catch(Exception e){
              System.out.println("Error while reading file line by line:" + e.getMessage());                      
           }
    
         }
      }
    

    php string to int

    You can use the str_replace when you declare your variable $b like that :

    $b = str_replace(" ", "", '88 8888');
    echo (int)$b;
    

    Or the most beautiful solution is to use intval :

    $b = intval(str_replace(" ", "", '88 8888');
    echo $b;
    

    If your value '88 888' is from an other variable, just replace the '88 888' by the variable who contains your String.

    How much data can a List can hold at the maximum?

    The interface however defines the size() method, which returns an int.

    Returns the number of elements in this list. If this list contains more than Integer.MAX_VALUE elements, returns Integer.MAX_VALUE.
    

    So, no limit, but after you reach Integer.MAX_VALUE, the behaviour of the list changes a bit

    ArrayList (which is tagged) is backed by an array, and is limited to the size of the array - i.e. Integer.MAX_VALUE

    How do you use bcrypt for hashing passwords in PHP?

    Here's an updated answer to this old question!

    The right way to hash passwords in PHP since 5.5 is with password_hash(), and the right way to verify them is with password_verify(), and this is still true in PHP 8.0. These functions use bcrypt hashes by default, but other stronger algorithms have been added. You can alter the work factor (effectively how "strong" the encryption is) via the password_hash parameters.

    However, while it's still plenty strong enough, bcrypt is no longer considered state-of-the-art; a better set of password hash algorithms has arrived called Argon2, with Argon2i, Argon2d, and Argon2id variants. The difference between them (as described here):

    Argon2 has one primary variant: Argon2id, and two supplementary variants: Argon2d and Argon2i. Argon2d uses data-depending memory access, which makes it suitable for cryptocurrencies and proof-of-work applications with no threats from side-channel timing attacks. Argon2i uses data-independent memory access, which is preferred for password hashing and password-based key derivation. Argon2id works as Argon2i for the first half of the first iteration over the memory, and as Argon2d for the rest, thus providing both side-channel attack protection and brute-force cost savings due to time-memory tradeoffs.

    Argon2i support was added in PHP 7.2, and you request it like this:

    $hash = password_hash('mypassword', PASSWORD_ARGON2I);
    

    and Argon2id support was added in PHP 7.3:

    $hash = password_hash('mypassword', PASSWORD_ARGON2ID);
    

    No changes are required for verifying passwords since the resulting hash string contains information about what algorithm, salt, and work factors were used when it was created.

    Quite separately (and somewhat redundantly), libsodium (added in PHP 7.2) also provides Argon2 hashing via the sodium_crypto_pwhash_str () and sodium_crypto_pwhash_str_verify() functions, which work much the same way as the PHP built-ins. One possible reason for using these is that PHP may sometimes be compiled without libargon2, which makes the Argon2 algorithms unavailable to the password_hash function; PHP 7.2 and higher should always have libsodium enabled, but it may not - but at least there are two ways you can get at that algorithm. Here's how you can create an Argon2id hash with libsodium (even in PHP 7.2, which otherwise lacks Argon2id support)):

    $hash = sodium_crypto_pwhash_str(
        'mypassword',
        SODIUM_CRYPTO_PWHASH_OPSLIMIT_INTERACTIVE,
        SODIUM_CRYPTO_PWHASH_MEMLIMIT_INTERACTIVE
    );
    

    Note that it doesn't allow you to specify a salt manually; this is part of libsodium's ethos – don't allow users to set params to values that might compromise security – for example there is nothing preventing you from passing an empty salt string to PHP's password_hash function; libsodium doesn't let you do anything so silly!

    SQL Server 2012 can't start because of a login failure

    While ("run as SYSTEM") works, people should be advised this means going from a minimum-permissions type account to an account which has all permissions in the world. Which is very much not a recommended setup best practices or security-wise.

    If you know what you are doing and know your SQL Server will always be run in an isolated environment (i.e. not on hotel or airport wifi) it's probably fine, but this creates a very real attack vector which can completely compromise a machine if on open internets.

    This seems to be an error on Microsoft's part and people should be aware of the implications of the workaround posted.

    The program can't start because libgcc_s_dw2-1.dll is missing

    In CodeBlocks you can go to Settings...Compiler... and choose either 1) the two items in the blue box or 2) the one item in the green box

    codeblocks compiler settings

    Android Camera : data intent returns null

    Kotlin code that works for me:

     private fun takePhotoFromCamera() {
              val intent = Intent(android.provider.MediaStore.ACTION_IMAGE_CAPTURE)
            startActivityForResult(intent, PERMISSIONS_REQUEST_TAKE_PICTURE_CAMERA)
          }
    

    And get Result :

     override fun onActivityResult(requestCode: Int, resultCode: Int, data: Intent?) {
        super.onActivityResult(requestCode, resultCode, data)
     if (requestCode == PERMISSIONS_REQUEST_TAKE_PICTURE_CAMERA) {
             if (resultCode == Activity.RESULT_OK) {
               val photo: Bitmap? =  MediaStore.Images.Media.getBitmap(this.contentResolver, Uri.parse( data!!.dataString)   )
                // Do something here : set image to an ImageView or save it ..   
                  imgV_pic.imageBitmap = photo 
            } else if (resultCode == Activity.RESULT_CANCELED) {
                Log.i(TAG, "Camera  , RESULT_CANCELED ")
            }
    
        }
    
    }
    

    and don't forget to declare request code:

    companion object {
     const val PERMISSIONS_REQUEST_TAKE_PICTURE_CAMERA = 300
      }
    

    Best Way to Refresh Adapter/ListView on Android

    Just write in your Custom ArrayAdaper this code:

    private List<Cart_items> customListviewList ;
    
    refreshEvents(carts);
    
    public void refreshEvents(List<Cart_items> events)
    {
        this.customListviewList.clear();
        this.customListviewList.addAll(events);
        notifyDataSetChanged();
    }
    

    Pytorch reshape tensor dimension

    or you can use this, the '-1' means you don't have to specify the number of the elements.

    In [3]: a.view(1,-1)
    Out[3]:
    
     1  2  3  4  5
    [torch.FloatTensor of size 1x5]
    

    How can I find script's directory?

    This is a pretty old thread but I've been having this problem when trying to save files into the current directory the script is in when running a python script from a cron job. getcwd() and a lot of the other path come up with your home directory.

    to get an absolute path to the script i used

    directory = os.path.abspath(os.path.dirname(__file__))

    How do I stretch an image to fit the whole background (100% height x 100% width) in Flutter?

    Inside your Stack, you should wrap your background widget in a Positioned.fill.

    return new Stack(
      children: <Widget>[
        new Positioned.fill(
          child: background,
        ),
        foreground,
      ],
    );
    

    Construct pandas DataFrame from items in nested dictionary

    pd.concat accepts a dictionary. With this in mind, it is possible to improve upon the currently accepted answer in terms of simplicity and performance by use a dictionary comprehension to build a dictionary mapping keys to sub-frames.

    pd.concat({k: pd.DataFrame(v).T for k, v in user_dict.items()}, axis=0)
    

    Or,

    pd.concat({
            k: pd.DataFrame.from_dict(v, 'index') for k, v in user_dict.items()
        }, 
        axis=0)
    

                  att_1     att_2
    12 Category 1     1  whatever
       Category 2    23   another
    15 Category 1    10       foo
       Category 2    30       bar
    

    How to convert string to date to string in Swift iOS?

    //String to Date Convert
    
    var dateString = "2014-01-12"
    var dateFormatter = NSDateFormatter()
    dateFormatter.dateFormat = "yyyy-MM-dd"
    let s = dateFormatter.dateFromString(dateString)
    println(s)
    
    
    //CONVERT FROM NSDate to String  
    
    let date = NSDate()
    var dateFormatter = NSDateFormatter()
    dateFormatter.dateFormat = "yyyy-MM-dd" 
    var dateString = dateFormatter.stringFromDate(date)
    println(dateString)  
    

    Display tooltip on Label's hover?

    You could use the title attribute in html :)

    <label title="This is the full title of the label">This is the...</label>
    

    When you keep the mouse over for a brief moment, it should pop up with a box, containing the full title.

    If you want more control, I suggest you look into the Tipsy Plugin for jQuery - It can be found at http://onehackoranother.com/projects/jquery/tipsy/ and is fairly simple to get started with.

    UIButton Image + Text IOS

    I encountered the same problem, and I fix it by creating a new subclass of UIButton and overriding the layoutSubviews: method as below :

    -(void)layoutSubviews {
        [super layoutSubviews];
    
        // Center image
        CGPoint center = self.imageView.center;
        center.x = self.frame.size.width/2;
        center.y = self.imageView.frame.size.height/2;
        self.imageView.center = center;
    
        //Center text
        CGRect newFrame = [self titleLabel].frame;
        newFrame.origin.x = 0;
        newFrame.origin.y = self.imageView.frame.size.height + 5;
        newFrame.size.width = self.frame.size.width;
    
        self.titleLabel.frame = newFrame;
        self.titleLabel.textAlignment = UITextAlignmentCenter;
    
    }
    

    I think that the Angel García Olloqui's answer is another good solution, if you place all of them manually with interface builder but I'll keep my solution since I don't have to modify the content insets for each of my button.

    Checkout another branch when there are uncommitted changes on the current branch

    You have two choices: stash your changes:

    git stash
    

    then later to get them back:

    git stash apply
    

    or put your changes on a branch so you can get the remote branch and then merge your changes onto it. That's one of the greatest things about git: you can make a branch, commit to it, then fetch other changes on to the branch you were on.

    You say it doesn't make any sense, but you are only doing it so you can merge them at will after doing the pull. Obviously your other choice is to commit on your copy of the branch and then do the pull. The presumption is you either don't want to do that (in which case I am puzzled that you don't want a branch) or you are afraid of conflicts.

    glob exclude pattern

    The pattern rules for glob are not regular expressions. Instead, they follow standard Unix path expansion rules. There are only a few special characters: two different wild-cards, and character ranges are supported [from pymotw: glob – Filename pattern matching].

    So you can exclude some files with patterns.
    For example to exclude manifests files (files starting with _) with glob, you can use:

    files = glob.glob('files_path/[!_]*')
    

    How to send SMS in Java

    smslib is very useful for this purpose u can connect a modem with Your pc and use this lib to send sms . It works I have used it

    How to reverse a 'rails generate'

    You can destroy all things that was created same way except little thing change. For controller,

    rails d controller_name (d stands for destroy)
    

    For Model

    rails d model_name
    

    you just put d(destroy) instead of g(generate) in your migration.

    Python [Errno 98] Address already in use

    This happens because you trying to run service at the same port and there is an already running application.

    This can happen because your service is not stopped in the process stack. Then you just have to kill this process.

    There is no need to install anything here is the one line command to kill all running python processes.

    for Linux based OS:

    Bash:

    kill -9 $(ps -A | grep python | awk '{print $1}')
    

    Fish:

    kill -9 (ps -A | grep python | awk '{print $1}')
    

    Allowed memory size of 262144 bytes exhausted (tried to allocate 24576 bytes)

    See if this answer can help you. Particularly the fact that CLI ini could be different than when the script is running through a browser.

    Allowed memory size of X bytes exhausted

    How to implement a queue using two stacks?

    Queue implementation using two java.util.Stack objects:

    public final class QueueUsingStacks<E> {
    
            private final Stack<E> iStack = new Stack<>();
            private final Stack<E> oStack = new Stack<>();
    
            public void enqueue(E e) {
                iStack.push(e);
            }
    
            public E dequeue() {
                if (oStack.isEmpty()) {
                    if (iStack.isEmpty()) {
                        throw new NoSuchElementException("No elements present in Queue");
                    }
                    while (!iStack.isEmpty()) {
                        oStack.push(iStack.pop());
                    }
                }
                return oStack.pop();
            }
    
            public boolean isEmpty() {
                if (oStack.isEmpty() && iStack.isEmpty()) {
                    return true;
                }
                return false;
            }
    
            public int size() {
                return iStack.size() + oStack.size();
            }
    
    }
    

    How do I get the time difference between two DateTime objects using C#?

    What you need is to use the DateTime classs Subtract method, which returns a TimeSpan.

    var dateOne = DateTime.Now;
    var dateTwo = DateTime.Now.AddMinutes(-5);
    var diff = dateTwo.Subtract(dateOne);
    var res = String.Format("{0}:{1}:{2}", diff.Hours,diff.Minutes,diff.Seconds));
    

    What is the difference between Integrated Security = True and Integrated Security = SSPI?

    True is only valid if you're using the .NET SqlClient library. It isn't valid when using OLEDB. Where SSPI is bvaid in both either you are using .net SqlClient library or OLEDB.

    How to listen to route changes in react router v4?

    import React, { useEffect } from 'react';
    import { useLocation } from 'react-router';
    
    function MyApp() {
    
      const location = useLocation();
    
      useEffect(() => {
          console.log('route has been changed');
          ...your code
      },[location.pathname]);
    
    }
    

    with hooks

    Connect to mysql on Amazon EC2 from a remote server

    I went through all the previous answers (and answers to similar questions) without success, so here is what finally worked for me. The key step was to explicitly grant privileges on the mysql server to a local user (for the server), but with my local IP appended to it (myuser@*.*.*.*). The complete step by step solution is as follows:

    1. Comment out the bind_address line in /etc/mysql/my.cnf at the server (i.e. the EC2 Instance). I suppose bind_address=0.0.0.0 would also work, but it's not needed as others have mentioned.

    2. Add a rule (as others have mentioned too) for MYSQL to the EC2 instance's security group with port 3306 and either My IP or Anywhere as Source. Both work fine after following all the steps.

    3. Create a new user myuser with limited privileges to one particular database mydb (basically following the instructions in this Amazon tutorial):

      $EC2prompt> mysql -u root -p
      [...omitted output...]
      mysql>  CREATE USER 'myuser'@'localhost' IDENTIFIED BY 'your_strong_password';
      mysql>  GRANT ALL PRIVILEGES ON 'mydb'.* TO 'myuser'@'localhost';`
      
    4. Here's the key step, without which my local address was refused when attempting a remote connection (ERROR 1130 (HY000): Host '*.*.*.23' is not allowed to connect to this MySQL server):

      mysql> GRANT ALL PRIVILEGES ON 'mydb'.* TO 'myuser'@'*.*.*.23';
      mysql> FLUSH PRIVILEGES;`
      

      (replace '*.*.*.23' by your local IP address)

    5. For good measure, I exited mysql to the shell and restarted the msyql server:

      $EC2prompt> sudo service mysql restart

    6. After these steps, I was able to happily connect from my computer with:

      $localprompt> mysql -h myinstancename.amazonaws.com -P 3306 -u myuser -p

      (replace myinstancename.amazonaws.com by the public address of your EC2 instance)

    CSS to stop text wrapping under image

    If you want the margin-left to work on a span element you'll need to make it display: inline-block or display:block as well.

    Errors: Data path ".builders['app-shell']" should have required property 'class'

    If your moving to angular 8 or 9 this will do the trick

    ng update @angular/cli
    

    Owl Carousel, making custom navigation

    In owl carousel 2 you can use font-awesome icons or any custom images in navText option like this:

    $(".category-wrapper").owlCarousel({
         items: 4,
         loop: true,
         margin: 30,
         nav: true,
         smartSpeed: 900,
         navText: ["<i class='fa fa-chevron-left'></i>","<i class='fa fa-chevron-right'></i>"]
    });
    

    wildcard * in CSS for classes

    An alternative solution:

    div[class|='tocolor'] will match for values of the "class" attribute that begin with "tocolor-", including "tocolor-1", "tocolor-2", etc.

    Beware that this won't match

    <div class="foo tocolor-">
    

    Reference: https://www.w3.org/TR/css3-selectors/#attribute-representation

    [att|=val]

    Represents an element with the att attribute, its value either being exactly "val" or beginning with "val" immediately followed by "-" (U+002D)

    How to activate the Bootstrap modal-backdrop?

    Just append a div with that class to body, then remove it when you're done:

    // Show the backdrop
    $('<div class="modal-backdrop"></div>').appendTo(document.body);
    
    // Remove it (later)
    $(".modal-backdrop").remove();
    

    Live Example:

    _x000D_
    _x000D_
    $("input").click(function() {_x000D_
      var bd = $('<div class="modal-backdrop"></div>');_x000D_
      bd.appendTo(document.body);_x000D_
      setTimeout(function() {_x000D_
        bd.remove();_x000D_
      }, 2000);_x000D_
    });
    _x000D_
    <link href="//netdna.bootstrapcdn.com/twitter-bootstrap/2.3.2/css/bootstrap-combined.min.css" rel="stylesheet" type="text/css" />_x000D_
    <script src="//code.jquery.com/jquery.min.js"></script>_x000D_
    <script src="//netdna.bootstrapcdn.com/twitter-bootstrap/2.3.2/js/bootstrap.min.js"></script>_x000D_
    <p>Click the button to get the backdrop for two seconds.</p>_x000D_
    <input type="button" value="Click Me">
    _x000D_
    _x000D_
    _x000D_

    How to minify php page html output?

    you can check out this set of classes: https://code.google.com/p/minify/source/browse/?name=master#git%2Fmin%2Flib%2FMinify , you'll find html/css/js minification classes there.

    you can also try this: http://code.google.com/p/htmlcompressor/

    Good luck :)

    Authenticating against Active Directory with Java on Linux

    I just finished a project that uses AD and Java. We used Spring ldapTemplate.

    AD is LDAP compliant (almost), I don't think you will have any issues with the task you have. I mean the fact that it is AD or any other LDAP server it doesn't matter if you want just to connect.

    I would take a look at: Spring LDAP

    They have examples too.

    As for encryption, we used SSL connection (so it was LDAPS). AD had to be configured on a SSL port/protocol.

    But first of all, make sure you can properly connect to your AD via an LDAP IDE. I use Apache Directory Studio, it is really cool, and it is written in Java. That is all I needed. For testing purposes you could also install Apache Directory Server

    How can I run multiple npm scripts in parallel?

    From windows cmd you can use start:

    "dev": "start npm run start-watch && start npm run wp-server"
    

    Every command launched this way starts in its own window.

    Using malloc for allocation of multi-dimensional arrays with different row lengths

    Equivalent memory allocation for char a[10][20] would be as follows.

    char **a;
    
    a=(char **) malloc(10*sizeof(char *));
    
    for(i=0;i<10;i++)
        a[i]=(char *) malloc(20*sizeof(char));
    

    I hope this looks simple to understand.