Links
Add
Upload Entire Directory via PHP FTP - Stack Overflow
https://stackoverflow.com/questions/927341/upload-entire-directory-via-php-ftp
Added 9 years ago
Protect Beehives From Natural Predators - Homesteading and Livestock - MOTHER EARTH NEWS
https://www.motherearthnews.com/homesteading-and-livestock/beekeeping/bee-predators-ze0z1601zbay
Learn how to protect beehives from predators using these strategies to protect your hives from raccoons, skunks, mice, and bears.
Added 7 years ago
[Python] Chrome Password Extraction Client - Pastebin.com
https://pastebin.com/LV2XPc2R
Pastebin.com is the number one paste tool since 2002. Pastebin is a website where you can store text online for a set period of time.
Added 7 years ago
VoIP: SIP-over-TLS and sRTP: Grandstream
https://www.traud.de/voip/grandstream.htm
Added 4 years ago
GitHub - BastilleBSD/bastille: Bastille is an open-source system for automating deployment and management of containerized applications on FreeBSD.
https://github.com/BastilleBSD/bastille
Bastille is an open-source system for automating deployment and management of containerized applications on FreeBSD. - BastilleBSD/bastille
Querying Database with CollectD, InfluxDB & Grafana
https://www.infracloud.io/blogs/querying-database-collectd-influxdb-grafana/
Using CollectD and plugins to query database for business transactions and plot results with InfluxDB and Grafana for seamless monitoring.
Added 9 months ago
OpenBSD Installation [shtrom's wiki]
https://www.narf.ssji.net/~shtrom/wiki/projets/mudrublic/openbsdinstall
Added 7 years ago
GitHub - cloudcommunity/Free-Certifications: A curated list of free courses with certifications. Also available at https://free-certifications.com/
https://github.com/cloudcommunity/Free-Certifications
A curated list of free courses with certifications. Also available at https://free-certifications.com/ - cloudcommunity/Free-Certifications
Added 3 weeks ago
(16) My Security Camera System Architecture – Explained in Detail - YouTube
https://www.youtube.com/watch?v=aZfc3NVBDz8
Auf YouTube findest du die angesagtesten Videos und Tracks. Außerdem kannst du eigene Inhalte hochladen und mit Freunden oder gleich der ganzen Welt teilen.
Added 8 years ago
Messing with WiFi protocol, Esp8266 and fake APs
http://runtimeprojects.com/2016/11/messing-with-wifi-protocol-esp8266-and-fake-aps/
Added 7 years ago
Adding packages with Bower - Roots Discourse
https://discourse.roots.io/t/adding-packages-with-bower/3110/6
When adding packages with Bower, should I need to manually update the main.less or should it happen automatically?
For instance, I ran
bower install --save font-awesome
But nothing was added to main.less in the aut…
Added 9 years ago
How to Become Insanely Well-Connected | First Round Review
http://firstround.com/review/how-to-become-insanely-well-connected/
Chris Fralic is a world-class super-connector. Here's how the long-time First Round Partner has methodically built bonds spanning years and careers.
Added 8 years ago
wobcom/cosmo: fairly odd fairy to generate network configuration from Netbox
https://github.com/wobcom/cosmo
fairly odd fairy to generate network configuration from Netbox - wobcom/cosmo
Added 7 months ago
User Manual - Akira_Decryptor.pdf
https://www.nomoreransom.org/uploads/User%20Manual%20-%20Akira_Decryptor.pdf
1d3b5c650533d13c81e325972a912e3ff8776e36e18bca966dae50735f8ab296
Added 6 months ago
The Compendium of Alcohol Ingredients and Processes - Imgur
http://m.imgur.com/3UcyPgB
Added 10 years ago
Karakeep
https://karakeep.app/
The Bookmark Everything app. Hoard links, notes, and images and they will get automatically tagged AI.
Added 5 months ago
Automating Network VLAN Deployments with Ansible
https://skyenet.tech/automating-network-vlan-deployments-with-ansible/
fgdfgsdfg
Added 4 months ago
XMPP and Asterisk integration - a practical example part 2
http://www.mundoopensource.com.br/xmpp-asterisk-integration-practical-example-part-2/
Another example showing the possibilities of using the XMPP and VoIP integration.
Added 10 years ago
DIY Pallet Chicken Coop | The Owner-Builder Network
http://theownerbuildernetwork.co/easy-diy-projects/diy-projects-for-pets/diy-chicken-coop-projects/diy-pallet-chicken-coop/
Added 9 years ago
bootstrap-dark-5
https://vinorodrigues.github.io/bootstrap-dark-5/
modernc.org/sqlite with Go - The IT Solutions
https://theitsolutions.io/blog/modernc.org-sqlite-with-go
I had long been aware of the [effort of cznic](https://gitlab.com/cznic/sqlite) to automatically translate the C source of SQLite to Go while avoiding the complexity CGo would introduce. SQLite was always meant to be a database you embed into your application, and I was curious what tradeoffs that meant, if any, and just generally how it differed from the usual suspects (PostgreSQL, etc.).
To explore these trade-offs and differences, I decided to dive deeper into the usage of this library.
SQLite is a single-writer multiple-reader database. Using just a single instance of database/sql.DB will not work well with this, because it will make it hard to avoid receiving SQLITE_BUSY errors when multiple writers try to run at the same time (because sql.DB is a connection pool). So we will need to separate readers from writers by making two instances of database/sql.DB and limiting the writer to a single [MaxOpenConn](https://pkg.go.dev/database/sql#DB.SetMaxOpenConns) and the reader to as many as you require.
So far, SQLite is behaving remarkably like other databases apart from the single-writer gotcha; we still have connections and per-connection settings. The usual way to pass these settings is usually in the DSN you pass to [sql.Open](https://pkg.go.dev/database/sql#Open) and this is [definitely possible](https://pkg.go.dev/modernc.org/sqlite#Driver.Open), but I find that it would be more straightforward if I could just run my custom SQL when a new connection is made[1]. We can do that with [sqlite.RegisterConnectionHook](https://pkg.go.dev/modernc.org/sqlite#RegisterConnectionHook).
Now the question is what settings to use, because [there are quite a few of them](https://www.sqlite.org/pragma.html). These are the ones I am using personally:
- `PRAGMA journal_mode = WAL;`
Use write-ahead-logging. Better concurrency, but with an edge-case: with heavy writers, the wal can grow idefinitely ([see for more](https://www.sqlite.org/cgi/src/doc/wal2/doc/wal2.md)). I don't expect this will happen in my use-case. For a good description on the various jornal modes, [see this blogpost](https://www.mycelial.com/learn/sqlite-journal-mode-options).
- `PRAGMA synchronous = NORMAL;`
Since with the WAL journal mode, this is safe, there is no reason to use FULL.
- `PRAGMA temp_store = MEMORY;`
Let's store temporary indices, tables, etc. in memory, my use-case is not very resource-constrained to require using the filesystem (also, [this is a fun read](https://www.sqlite.org/fasterthanfs.html) if we are talking about additional syscalls to the kernel)
- `PRAGMA mmap_size = 30000000000; -- 30GB`
Just making sure, access to my database is always done with memory-mapped I/O.
- `PRAGMA busy_timeout = 5000;`
How much time to wait in milliseconds after which SQLITE_BUSY is returned when waiting for the db to unlock.
- `PRAGMA automatic_index = true;`
Make sure [automatic indexing](https://www.sqlite.org/optoverview.html#autoindex) is enabled, it can only help, and is a great way to get warnings about indexes that should be created.
- `PRAGMA foreign_keys = ON;`
Make sure foreign key enforcement is enabled.
- `PRAGMA analysis_limit = 1000;`
Make sure [ANALYZE](https://www.sqlite.org/lang_analyze.html#approx) returns quickly in case the DB gets large.
- `PRAGMA trusted_schema = OFF;`
No idea what security audited functions are, but this setting makes sure only those can be run. The manual page tells me to turn it off anyway, so let's do that.
Not all of these settings are per-connection settings, but it doesn't hurt to always run all of these on every connection, and having a single "Init SQL" makes things simpler.
Let's deal with explicit transactions next. The default transaction mode is DEFERRED, meaning that it depends on the next statement what type of transaction is started (if a SELECT statement comes first, a read transaction is started, with the possibility of upgrading it to a write transaction depending on the statements that follow). With our setup, there should never be multiple writers concurrently, so making all transactions write transactions from the get-go (with BEGIN IMMEDIATE) can only help us show if this invariant is violated.
Putting this all together, this is the code we arrive at:
```go
package main
import (
"bytes"
"context"
"crypto/sha1"
"database/sql"
"database/sql/driver"
"encoding/hex"
"fmt"
"time"
"modernc.org/sqlite"
)
type DB struct {
dbPath string
Read *sql.DB
Write *sql.DB
}
const initSQL = `
PRAGMA journal_mode = WAL;
PRAGMA synchronous = NORMAL;
PRAGMA temp_store = MEMORY;
PRAGMA mmap_size = 30000000000; -- 30GB
PRAGMA busy_timeout = 5000;
PRAGMA automatic_index = true;
PRAGMA foreign_keys = ON;
PRAGMA analysis_limit = 1000;
PRAGMA trusted_schema = OFF;
`
func New(ctx context.Context, dbPath string) (db *DB, err error) {
db = &DB{
dbPath: dbPath,
}
// make sure every opened connection has the settings we expect
sqlite.RegisterConnectionHook(func(conn sqlite.ExecQuerierContext, _ string) error {
_, err = conn.ExecContext(ctx, initSQL, nil)
return err
})
write, err := sql.Open("sqlite", "file:"+db.dbPath)
if err != nil {
return
}
// only a single writer ever, no concurrency
write.SetMaxOpenConns(1)
write.SetConnMaxIdleTime(time.Minute)
if err != nil {
return
}
read, err := sql.Open("sqlite", "file:"+db.dbPath)
if err != nil {
return
}
// readers can be concurrent
read.SetMaxOpenConns(100)
read.SetConnMaxIdleTime(time.Minute)
db.Read = read
db.Write = write
return
}
func (db *DB) InTransaction(ctx context.Context, tx func(context.Context, *sql.Conn) error) (err error) {
// cancel anything that takes longer than 5 seconds
var cancel func()
ctx, cancel = context.WithTimeout(ctx, time.Duration(5*time.Second))
defer cancel()
// separate conn thats just for us
// so that the transactions queries are executed together
conn, err := db.Write.Conn(ctx)
if err != nil {
return
}
defer conn.Close()
_, err = conn.ExecContext(ctx, "BEGIN IMMEDIATE TRANSACTION")
if err != nil {
return
}
defer func() {
if r := recover(); r != nil || err != nil {
if _, err = conn.ExecContext(ctx, "ROLLBACK"); err != nil {
return
}
}
}()
err = tx(ctx, conn)
if err != nil {
return
}
_, err = conn.ExecContext(ctx, "COMMIT")
return
}
```
Just as a small added bonus, it's also very easy to register our own go functions that we can then call from SQL. In this example, we define the sha1 function, receiving and returning a single argument, and always returning the same output for the same input (thus the deterministic). For more information, [see the docs](https://www.sqlite.org/appfunc.html)
```go
func registerFuncs() {
// lets add our own sha1 hash function usable from SQL
sqlite.MustRegisterDeterministicScalarFunction(
"sha1",
1,
func(ctx *sqlite.FunctionContext, args []driver.Value) (driver.Value, error) {
var arg *bytes.Buffer
switch argTyped := args[0].(type) {
case string:
arg = bytes.NewBuffer([]byte(argTyped))
case []byte:
arg = bytes.NewBuffer(argTyped)
default:
return nil, fmt.Errorf("expected argument to be a string, got: %T", argTyped)
}
h := sha1.Sum(arg.Bytes())
return hex.EncodeToString(h), nil
},
)
}
```
In conclusion, this solution works perfectly well for most of the usage scenarios out there where immense scaling is neither expected nor needed. There are faster ways to use SQLite with Go (see the [excellent cvilsmeier benchmarks](https://github.com/cvilsmeier/go-sqlite-bench)), but its still plenty-fast enough, and avoiding CGo makes it very convenient also.
[1]: This is another thing that database/sql.DB being a connection pool makes harder.
Added 6 months ago
VLC mosaic for multiple RSTP streams | Blog of Alexander Mamchenkov
http://alex.mamchenkov.net/2014/11/27/vlc-mosaic-multiple-rstp-streams/comment-page-1/
Added 7 years ago
Well Made: simple, intentional, timeless home decor
https://www.wearewellmade.com/
We reimagined framing and home decor to make it simple, flexible, and timeless. Our products showcase your story, making your home a reflection of you. At Well Made, you'll find beautifully designed and expertly crafted products made to last. Shop online!
Streaming Audio Databases - Music Library - InfoGuides at George Mason University
https://infoguides.gmu.edu/music/streamingaudio
InfoGuides: Music Library: Streaming Audio Databases
SYSADMIN BADASS - Conseil en hébergement - Architecture d'infra web
http://www.sysadminbadass.com/#
Votre site web a beaucoup de succès mais votre serveur ne suit plus ? Vous n'arrivez pas à régler un problème de sécurité ? Vous avez besoin de fiabilité pour sécuriser vos revenus ? Ou encore vous n'avez plus confiance en votre hébergement actuel car le support ne répond pas assez vite ? SYSADMIN BADASS est là pour vous aider !
Added 10 years ago
network | John's Musings
http://www.hagensieker.com/blog/page/?post_id=73&title=reading-other-peoples-pager-traffic-and-shit
Added 7 years ago
Asterisk Paging and Intercom - voip-info.org
https://www.voip-info.org/wiki/view/Asterisk+Paging+and+Intercom
In Asterisk a new RTP engine and channel driver have been added to support Multicast RTP. Read more about Paging and Intercom here!
Added 8 years ago
ANSI TIA 606-B Cable Labeling Standards | Graphic Products
https://www.graphicproducts.com/articles/ansi-tia-606-b-cable-labeling-standards/
"ANSI TIA 606-B Cable Labeling Standards"
Added 9 years ago
How I built a fully-automated system that restocks my kitchen’s coffee from Amazon
https://medium.freecodecamp.com/how-i-built-a-fully-automated-system-that-restocks-my-kitchens-coffee-from-amazon-87072b65efd0#.gsmxithnh
By Terren Peterson I’ve perfected a method over the years for preparing for a grocery store run. I carefully open up the fridge and scan through it several times, letting out most of the cold air. I then do a similar exercise with a few other cabine...
Added 8 years ago
Photo - Google Photos
https://photos.google.com/u/1/photo/AF1QipN0TlZ524KfDT5tDetU_v_xMF_qsRRgUuMfqEEQ
Home for all your photos and videos, automatically organized and easy to share.
Added 7 years ago
Seamless Wifi - Multiple Access Points - Installing and Using OpenWrt / Network and Wireless Configuration - OpenWrt Forum
https://forum.openwrt.org/t/seamless-wifi-multiple-access-points/1993/11
Hi,
I am trying to set up a home network with multiple access points with the same SSID, Security and Password so that I can reach all areas of the house. I have an WRT1900ACS as the MAIN Access Point and hosting the D…
Added 6 years ago
Make Your Own Backup System – Part 1: Strategy Before Scripts - IT Notes
https://it-notes.dragas.net/2025/07/18/make-your-own-backup-system-part-1-strategy-before-scripts/
When a datacenter fire threatened 142 of my servers, my backup strategy had them back online in hours. This post shares my personal philosophy on creating a resilient system, focusing on the crucial planning that must happen before you write a single script.
Added 5 months ago
What is the difference between /dev/ttyUSB and /dev/ttyACM?
https://rfc1149.net/blog/2013/03/05/what-is-the-difference-between-devttyusbx-and-devttyacmx/
2013-03-05-what-is-the-difference-between-devttyusbx-and-devttyacmx
Added 4 months ago
jwz: What Happens When You Drink an Entire Bottle of Weed Lube
https://www.jwz.org/blog/2016/02/what-happens-when-you-drink-an-entire-bottle-of-weed-lube/
"I woke up with potato chips all over my body." I woke up the next morning and cried at my boyfriend about how badly I didn't want to go to Disneyland, despite the fact that we had no plans to go to Disneyland that day or ever. After calming me down, he tucked me back into bed with a big bag of salt and vinegar potato chips and turned on Gilmore Girls. After hallucinating that Lauren Graham's
Added 9 years ago
GitHub - upgradeya/redmine-contracts-with-time-tracking-plugin: A Redmine plugin that allows you to manage contracts and associate time-entries with those contracts.
https://github.com/upgradeya/redmine-contracts-with-time-tracking-plugin
A Redmine plugin that allows you to manage contracts and associate time-entries with those contracts. - upgradeya/redmine-contracts-with-time-tracking-plugin
Added 9 years ago
Broken
With multiple WANs, how to route "gateway" responses back through the same interface : r/openwrt
https://www.reddit.com/r/openwrt/comments/1l4bbf0/with_multiple_wans_how_to_route_gateway_responses/
Added 6 months ago
Using Unbound as an Authoritative Nameserver :: Ari Codes
https://www.aricodes.net/posts/unbound-authoritative-zone/
Unbound is commonly paired with [Pi-hole](https://pi-hole.net/) for local DNS resolution. But what if we want our own private zone that's only available on the local network? This post explores and documents just how to do that.
Added 4 months ago
GitHub - pepe2k/u-boot_mod: U-Boot 1.1.4 modification for routers
https://github.com/pepe2k/u-boot_mod
U-Boot 1.1.4 modification for routers. Contribute to pepe2k/u-boot_mod development by creating an account on GitHub.
Added 9 years ago
Recommendations for Appropriate Repairs to Historic Barns and Other Agricultural Buildings
http://www.thebarnjournal.org/resource/technical3.html
Added 8 years ago
That grumpy BSD guy: Network devices that lie
http://bsdly.blogspot.ca/2008/05/network-devices-that-lie.html
Added 10 years ago
Building a Tiny CNC Router for Making Circuit Boards
https://www.tomn.co.uk/posts/2025/May/08/pcb_cnc/
Added 6 months ago
How to setup a SFTP server with chrooted users - Christophe Tafani-Dereeper
https://blog.christophetd.fr/how-to-properly-setup-sftp-with-chrooted-users/
I’ll explain in this article how to properly setup a SFTP server with chrooted users being only able to access their own directory, and authenticated by public keys or a password. This is a very useful setup, which can get a bit tricky especially with the permissions. Unlike FTPS which is FTP over TLS, SFTP is a totally different protocol built on top of SSH. This especially means you don’t need any third-party software, since OpenSSH is installed by default on most linux distributions. Directory organization Each user will have his own personal directory which he’ll be able to access.Continue reading... How to setup a SFTP server with chrooted users
Added 8 months ago
True Audio Checker - Downloads - Tau Projects
http://tausoft.org/wiki/True_Audio_Checker_Downloads
Help make a bright reality!
http://us7.campaign-archive1.com/?u=865d8064b3e4fe80f499a876a&id=4320692434
Added 9 years ago
centos - iptables, blocking large numbers of IP Addresses - Server Fault
https://serverfault.com/questions/119937/iptables-blocking-large-numbers-of-ip-addresses
Added 9 months ago
breadcrumbs - place in functions.php and call in your theme with dimox_breadcrumbs() [Source](http://dimox.net/wordpress-breadcrumbs-without-a-plugin/)
https://gist.github.com/melissacabral/4032941
breadcrumbs - place in functions.php and call in your theme with dimox_breadcrumbs()
[Source](http://dimox.net/wordpress-breadcrumbs-without-a-plugin/) - wp-dimox-breadcrumbs.php
Added 10 years ago
DevSecOps: Part 1. In this blog, DevSecOps is discussed as… | by Blogs4devs | Medium
https://medium.com/@blogs4devs/devsecops-part-1-541ed83fa58e
OVH vRack Security Issue; Allowed me the possibility to MITM Outbound Traffic for machines I did not own. - netsec
https://www.reddit.com/r/netsec/comments/68boqx/ovh_vrack_security_issue_allowed_me_the/
Added 8 years ago
mPDF – mPDF Manual
https://mpdf.github.io/
mPDF is a PHP library which generates PDF files from UTF-8 encoded HTML.
It is based on FPDF and HTML2FPDF with a number of enhancements.
Added 10 months ago
Lil Dicky Jewish Flow Official Video) - YouTube
https://www.youtube.com/watch?v=hfDGFtyEUHQ&nohtml5=False
Auf YouTube findest du die angesagtesten Videos und Tracks. Außerdem kannst du eigene Inhalte hochladen und mit Freunden oder gleich der ganzen Welt teilen.
Added 9 years ago
Free radio pirates on medium and short wave messageboard of alfa lima • Index page
http://www.alfalima.net/
How to install 'add-apt-repository' using the terminal? - Ask Ubuntu
https://askubuntu.com/questions/493460/how-to-install-add-apt-repository-using-the-terminal
Added 9 years ago
X - Certificate and Key management
https://hohnstaedt.de/xca/
XCA is an x509 certificate generation tool, handling RSA, DSA and EC keys, certificate signing requests (PKCS#10) and CRLs. It supports a broad range of import and export formats.
Added 5 months ago
Debian 12 : Kea DHCP : Configure Server : Server World
https://www.server-world.info/en/note?os=Debian_12&p=kea&f=1
Debian 12 Kea DHCP Configure Server
Added 5 months ago
Newbie question: what's the lxc version of a Dockerfile? - LXC - Linux Containers Forum
https://discuss.linuxcontainers.org/t/newbie-question-whats-the-lxc-version-of-a-dockerfile/6487
I normally use Docker, but I’m working on a gig that requires lxc. I’m used to configuring docker images with a Dockerfile: start with this image, run this command, copy that file, etc. It does simple dependency manageme…
Added 4 months ago
OpenBSD 6.0 with ikev2 – IP VANQUISH
https://www.ipvanquish.com/2017/07/19/openbsd-6-0-with-ikev2/
Added 7 years ago
GitHub - sammy007/open-ethereum-pool: Open Ethereum Mining Pool
https://github.com/sammy007/open-ethereum-pool
Open Ethereum Mining Pool. Contribute to sammy007/open-ethereum-pool development by creating an account on GitHub.
Added 9 years ago
What happens when you get stoned every single day for five years - The Washington Post
https://www.washingtonpost.com/news/wonk/wp/2016/02/01/what-happens-when-you-get-stoned-every-single-day-for-five-years/?tid=sm_tw
Added 9 years ago
Broken
Raspberry Pi Case with an Integrated USB Hub : r/raspberry_pi
https://www.reddit.com/r/raspberry_pi/comments/11r7n5/raspberry_pi_case_with_an_integrated_usb_hub/
Added 3 months ago
HOWTO: Unbrick your UniFi AP | Ubiquiti Community
https://community.ui.com/questions/HOWTO-Unbrick-your-UniFi-AP/b6d2079f-38be-4a91-aea0-7ca5d14c470c
Added 7 months ago
MIC-730IVA_User_Manual(3-in-1)_Ed.1-FINAL.pdf - MIC-730IVA_User_Manual(3-in-1).pdf
https://advdownload.advantech.com/productfile/Downloadfile3/1-25WDAPZ/MIC-730IVA_User_Manual(3-in-1).pdf
All Job Listings - Community Career Center - Welcome to Non Profit Jobs.org!
https://www.nonprofitjobs.org/search_joblistall
Added 9 years ago
Top 10 Programming Fonts
http://hivelogic.com/articles/top-10-programming-fonts/
Dan Benjamin's personal website.
Added 8 years ago
GitHub - acassen/keepalived: Keepalived
https://github.com/acassen/keepalived
g Layer4 loadbalancing
Added 5 months ago
Most Meaningful Short Life Quote Ever On Destiny - The Most Meaningful Quotation Collection
http://loyalquote.blogspot.com/2015/01/most-meaningful-short-life-quote-ever.html
Added 10 years ago
Pomodoro Technique® Considered Harmful (don’t worry: you are not using it) | Arialdo Martini
https://arialdomartini.wordpress.com/2014/05/19/pomodoro-technique-considered-harmful-dont-worry-you-are-not-using-it/
So, you have your shining, ticketing, tomato-shaped timer on your desk and you are a proud practitioner of the Pomodoro Technique®. I've got bad news and good news. The bad news is the Pomodoro Technique® can seriously damage your team's productivity. The good news is that it's very likely that you are not practicing the…
Added 10 years ago
How To Create Your Own Internet Radio Station Using Icecast And Mixxx Running On Ubuntu/Debian Or Fedora - Linux Uprising Blog
https://www.linuxuprising.com/2019/09/how-to-create-your-own-internet-radio.html
Bee Bed | Sleep With Bees | Free Hive Plans
https://www.horizontalhive.com/how-to-build/bee-bed-sleep-hive-plans.shtml
Seeking the Productive Life: Some Details of My Personal Infrastructure—Stephen Wolfram Writings
https://writings.stephenwolfram.com/2019/02/seeking-the-productive-life-some-details-of-my-personal-infrastructure/
Some of Stephen Wolfram’s “productivity hacks” to make his days and projects more productive. Daily life, desk environment, outside the office, presentation setup, filesystem organization, Wolfram Notebook systems, databases, personal analytics.
Added 6 months ago
derfenix/webarchive: Own webarchive service
https://github.com/derfenix/webarchive
Own webarchive service. Contribute to derfenix/webarchive development by creating an account on GitHub.
Added 4 months ago
Design and Performance of the OpenBSD Stateful Packet Filter (pf)
https://www.benzedrine.ch/pf-paper.html
Added 7 years ago
assistly-production.s3.amazonaws.com/202831/kb_article_attachments/60623/Flowroute_Service_Guide_original.pdf?AWSAccessKeyId=AKIAJNSFWOZ6ZS23BMKQ&Expires=1443557287&Signature=64JVAB%2F9YTjOyAR5JhTk%2BWxsrTQ%3D&response-content-disposition=filename%3D"Flow
http://assistly-production.s3.amazonaws.com/202831/kb_article_attachments/60623/Flowroute_Service_Guide_original.pdf?AWSAccessKeyId=AKIAJNSFWOZ6ZS23BMKQ&Expires=1443557287&Signature=64JVAB%2F9YTjOyAR5JhTk%2BWxsrTQ%3D&response-content-disposition=filename%3D%22Flowroute_Service_Guide.pdf%22&response-content-type=application%2Fpdf
Added 10 years ago
Honeywell H316 kitchen computer
https://kbd.news/Honeywell-H316-kitchen-computer-1940.html
Some thoughts in defense of the often ridiculed Honeywell H316 kitchen computer.
Added 6 months ago
GitHub - wuvt/johnny-six: Simple radio automation system built with Liquidsoap
https://github.com/wuvt/johnny-six
This is the automation system for WUVT-FM powered by Liquidsoap. It schedules all traffic (station IDs, PSAs, etc.) in compliance with FCC regulations and supports playing different playlists depending on the day and time. It also supports logging track metadata to the main site using the Trackman API.
Added 10 months ago
Files · main · scc-net / Ansible Collection Network · GitLab
https://gitlab.kit.edu/scc-net/ansible-collection-network
Added 4 months ago
Grateful Dead Live at Fillmore East (Late Show) on 1970-05-15 : Free Borrow & Streaming : Internet Archive
https://archive.org/details/gd70-05-15.early-late.sbd.97.sbeok.shnf/gd70-5-15D3T10.shn
Added 6 years ago
The Amp Hour Electronics Podcast: Keep Current.
http://www.theamphour.com/
A weekly show about the trends in the electronic industry.
Added 10 years ago
Renaming a PVE node - Proxmox VE
https://pve.proxmox.com/wiki/Renaming_a_PVE_node
Added 3 months ago
Fortressa
https://fortressa.com/#whoarewe
Replace expensive per-seat SaaS with tap-to-install open-source apps
https://blog.savoirfairelinux.com/wp-content/uploads/2014/03/SFL-ED01-OSSec-the-quick-and-dirty-way-140326-01.pdf
https://blog.savoirfairelinux.com/wp-content/uploads/2014/03/SFL-ED01-OSSec-the-quick-and-dirty-way-140326-01.pdf
Added 10 years ago
Eddie's Rock Music A-Z – An A-Z of classic rock music with artist, album, concert and book reviews
https://eddiesrockmusic.wordpress.com/
An A-Z of classic rock music with artist, album, concert and book reviews
| cromedome.net - the ramblings of Jason A. Crome
https://cromedome.net/
unix - Console commands to change virtual ttys in Linux and OpenBSD - Super User
http://superuser.com/questions/33065/console-commands-to-change-virtual-ttys-in-linux-and-openbsd
Added 11 years ago
postfixadminAwesome/INSTALL.TXT at master · subutux/postfixadminAwesome · GitHub
https://github.com/subutux/postfixadminAwesome/blob/master/VIRTUAL_VACATION/INSTALL.TXT
Revamped postfixadmin. Contribute to subutux/postfixadminAwesome development by creating an account on GitHub.
Added 10 years ago
9th Wonder - Tutenkhamen Beat Tape (FULL) - YouTube
https://www.youtube.com/watch?v=DBX_ADoO-7E
Auf YouTube findest du die angesagtesten Videos und Tracks. Außerdem kannst du eigene Inhalte hochladen und mit Freunden oder gleich der ganzen Welt teilen.
Added 9 years ago
c-r.de: How to tell tcpdump to filter mixed tagged and untagged VLAN (IEEE 802.1Q) traffic
https://christian-rossow.de/articles/tcpdump_filter_mixed_tagged_and_untagged_VLAN_traffic.php
Added 10 months ago
On Naming Things \\ The Deck of Many
http://11spades.net/posts/on-naming-things/
A most foundational practice.
Added 9 months ago
Asterisk config indications.conf - voip-info.org
https://www.voip-info.org/wiki/view/Asterisk+config+indications.conf
The Playtones command can generate tones to indicate busy, ringing, congestion, dialtone, and similar. Read more here!
Added 8 years ago
SysVinit to Systemd Cheatsheet - FedoraProject
https://fedoraproject.org/wiki/SysVinit_to_Systemd_Cheatsheet
Added 10 years ago
Linux Howtos: System -> A Linux Fax Server for a Windows Network
http://www.linuxhowtos.org/System/faxserver.htm
Added 7 years ago
GitHub - Scope-IT/marksman: Windows agent for Snipe-IT asset management system
https://github.com/Scope-IT/marksman
Windows agent for Snipe-IT asset management system - GitHub - Scope-IT/marksman: Windows agent for Snipe-IT asset management system
Added 1 year ago
Parsing an X12 EDI 'by hand'
http://timrayburn.net/blog/parsing-an-x12-edi-by-hand/
Added 8 years ago
How do I get bluetooth headphones to work : r/debian
https://www.reddit.com/r/debian/comments/11czy2f/how_do_i_get_bluetooth_headphones_to_work/
Asterisk Dial Plan - Adding Prefixes to Dialed Numbers | Last Call Media
https://lastcallmedia.com/blog/asterisk-dial-plan-adding-prefixes-dialed-numbers
Added 10 years ago
The Well-Organized Carpenter
https://www.jlconline.com/tools/the-well-organized-carpenter_o?utm_source=newsletter&utm_content=&utm_medium=email&utm_campaign=JLC_TUE_070825&&oly_enc_id=1672I7149845G6F
ace in each box. I love most of my
Added 5 months ago
S3hh's Blog | Just another WordPress.com site
https://s3hh.wordpress.com/
Just another WordPress.com site
Contact Relationship Management (CRM) with CiviCRM | SymbioTIC Coop
https://symbiotic.coop/en
Contact management for non-profits, powered by Free Software.
Added 10 years ago
Xyphen IT
https://github.com/Xyphen-IT
Xyphen IT has 7 repositories available. Follow their code on GitHub.
Added 10 months ago
darlingevil.com -- a bit less evil than regular evil
https://darlingevil.com/
Seizing the shiniest bits of new technologies, sharing experiences, sharing knowledge, giving opinions, and hoping you will do the same.
GitHub - davidcmoody/samsara-php: Samsara PHP SDK
https://github.com/davidcmoody/samsara-php
Samsara PHP SDK. Contribute to davidcmoody/samsara-php development by creating an account on GitHub.
Added 6 years ago