Monday, October 11, 2021

"Add support for Logitech Zone 750"

I bought this headset*, a Logitech Zone 750, and I wanted to turn down the "sidetone", i.e. the always-on foldback. After some searching I found HeadsetControl, which can do it, but didn't support this particular model. It did support the Logitech Zone Wired, which is almost, if not exactly, the same device.

So I figured maybe I could do something about it and solve loud sidetone problem for myself and anyone else using this headset.

Running `lsusb` (in Fedora) showed me the device number, from there it was pretty straight forward.
Ps, the headset seems alright, but I don't know if it's four times better than the H540* it was replacing - unfortunately because the padding cover fabric was peeling and disintegrating on the top part where you can't easily replace it. Hopefully the fabric on the new one will last longer.


* Amazon link with affiliate referral info included.

Wednesday, March 31, 2021

Thursday, August 11, 2016

Tau in Python

Python Issue 12345 "Add math.tau" had its 5th birthday in June.

Yesterday, this:
I'm just going to do this.

- Guido van Rossum
It's happening!

(See also my Ruby MR 644 being considered and politely rejected a year ago.)

Friday, March 13, 2015

Rails test helper for stubbing a constant

When Googling for how to mock or stub a constant in your Rails test suite, I found out about RSpec's stub_const method. I don't use RSpec though, so I wrote this.

The way I use it is to include it in ActiveSupport::TestCase somewhere in test/test_helper.rb.

class ActiveSupport::TestCase
  include WithStubbedConst
  ...
end
module WithStubbedConst
def with_stubbed_const(consts, scope=self.class)
stash = {}
consts.each_pair do |key, val|
stash[key] = scope.send(:remove_const, key)
scope.send(:const_set, key, val)
end
begin
yield
ensure
consts.each_pair do |key, val|
scope.send(:remove_const, key)
scope.send(:const_set, key, stash[key])
end
end
end
end
require 'test/unit'
require 'test_helper/with_stubbed_const'
class TestWithStubbedConst < Test::Unit::TestCase
include WithStubbedConst
module Bar
BAZ = 10
end
FOO = "foo"
def test_default_scope
assert_equal "foo", FOO
with_stubbed_const(:FOO => "changed!") { assert_equal "changed!", FOO }
assert_equal "foo", FOO
end
def test_specified_scope
assert_equal 10, Bar::BAZ
with_stubbed_const({:BAZ => 20}, Bar) { assert_equal 20, Bar::BAZ }
assert_equal 10, Bar::BAZ
end
def test_block_raises
assert_equal "foo", FOO
with_stubbed_const(:FOO => 99) { assert_equal 99, FOO; raise "boom" } rescue nil
assert_equal "foo", FOO
end
end

Monday, January 21, 2013

Fixing the caps lock key in Gnome in Fedora 18

I like to set my caps lock key to left control. Previously you could do this via the Gnome System Settings control panel. In Fedora 18 it's not possible as far as I can tell.

The gsettings command to make caps lock act as a control key in Gnome is this:
gsettings set org.gnome.desktop.input-sources xkb-options "['ctrl:nocaps']"
view raw gistfile1.sh hosted with ❤ by GitHub

If you are worried about losing any other settings you might have in xkb-options, then do this:
# Take a look at your current xkb-options
gsettings get org.gnome.desktop.input-sources xkb-options
# If you see @as [] then just run the command from above
# Otherwise you need to preserve the existing options (such as foo:bar below)
# while inserting the new one
gsettings set org.gnome.desktop.input-sources xkb-options "['ctrl:nocaps', 'foo:bar']"
view raw gistfile2.sh hosted with ❤ by GitHub

This is an explanation I got just now (from someone who should know about this stuff):
"GNOME 3.0 shipped with input methods separately from xkb, now the two have been brought together to have one dialog. I suspect xkb options will come back, but that'll take another iteration"

Ps, for more info on gnome input sources, see these blog posts by mclasen.

Pps, I've been an anti-caps lock campaigner for a while now :)

Wednesday, October 31, 2012

Nice brief git log format

I'm really happy with this. There's two new features compared to what I've been using up until recently.

Firstly, I just learned about the core.pager option which solves the problems I was solving previously with this ugliness:
ll = "!git --no-pager log --pretty=nice -n30; echo"

Secondly, the %+d. I generally don't use the --graph log formats, (such as these), that show you the branch paths, but seeing where the refs are is super useful. The + makes it appear on the next line without adding a line break when there are no refs.
[core]
# -E means don't page if less one screen
# -F means quit when EOF reached
# -r fixes the %C(yellow)%+d colouring somehow
pager = less -E -F -r
[alias]
ll = log --pretty=nice -n 30 # about one screen worth
lll = log --pretty=nice # goes back forever
[pretty]
# %h is short commit hash
# %cr is time ago in words
# %cn is committer name
# %s is the commit message title
# %+d is a line break and a list of refs
nice = format:%Cblue%h %Cred%cr %Cgreen%cn%Creset - %s%C(yellow)%+d
view raw .gitconfig hosted with ❤ by GitHub

Here's a screenshot of how it looks (with details obscured to protect the innocent).

Update: I dropped the line break before the refs list, which is fine if you have a nice wide terminal, and tweaked some colours. Now it's:

  nice = format:%Cblue%h %C(cyan)%cr %Cgreen%an%Creset %s%C(yellow)%d %Creset

Tuesday, October 2, 2012

Some "progress" on my Tau in Ruby patch

Its category was changed from "core" to "joke" :(... How does the quote go? "First they ignore your patch, then they classify it as a joke, then... " I forget the rest ;)

"Once τ is widely accepted in these communities, we might add it..."

But also:

"...if it were just up to me, I'd add it just to show support. It's a rather tiny and harmless addition."

See the ticket here.

Tuesday, August 14, 2012

Wednesday, August 8, 2012

Make it easier to use partials with blocks in rails

The shorter version of render :partial is widely known and used. These are equivalent, but the second version is so much more succinct and readable.
<%= render :partial => 'thing_one', :locals => { :foo => '123' } %>
<%= render 'thing_one', :foo => '123' %>
To use a partial with a yield in it, (what I call a "block partial"), you can use render :layout which a. doesn't read very well, (it's a partial, not a layout clearly), and b. can't be shortened nicely the way that render :partial can. So here is block_render:
#
# A trick so you can have partials that take blocks.
# Uses render :layout.
#
# Example:
# <%= block_render 'some_partial_with_a_yield', :foo => 123 do %>
# Any erb here...
# <% end %>
#
def block_render(partial_name, locals={})
render :layout => partial_name, :locals => locals do
yield
end
end
It lets you have nice neat render calls like this:
<%= block_render 'block_thing', :foo => '123' do %>
stuff inside here
<% end %>
This is a real-life example of a block partial I like to use. Those classes are bootstrap classes for making a nice drop down menu.
<%#
#
# Locals:
# right (optional)
#
# Example usage:
# <x= block_render 'shared/more_button_menu' x>
# <li><x= link_to 'Foo, '#' x></li>
# <li><x= link_to 'Bar, '#' x></li>
# <x end x>
#
-%>
<a class="btn dropdown-toggle" data-toggle="dropdown" href="#">More <span class="caret"></span></a>
<ul class="dropdown-menu<%= " pull-right" if defined?(right) && right %>">
<%= yield %>
</ul>

How to make pinned tabs in Firefox a bit wider

I'm using Stylish to apply this, but I guess you could do it with a userChrome.css.
@namespace url(http://www.mozilla.org/keymaster/gatekeeper/there.is.only.xul);
.tabbrowser-tab[pinned] {
width: 72px;
}
view raw styles.css hosted with ❤ by GitHub
The main reason I want this is so the hit target is larger. I want to be able to click my pinned app tabs (currently a TiddlyWiki and my Zimbra corporate calendar) without aiming too hard.

Wednesday, February 8, 2012

Make ActiveRecord::Base#create respect the :type attribute

I think I've needed and implemented this twice now, so let's make a post about it.

The problem occurs when you are using f.fields_for and nested forms, as per these railscasts, and the nested objects are using STI.

(Will leave a more detailed explanation for future posts).

Update 1: Even though this works as described, I don't think it solves my problem. Will post again if I figure it out...

Update 2: Found this which is I think what I was using last time I had this problem... :S


#
# This was causing problems when submitting the nested object form
# in a/v/product/channels_edit because all the nested channels would
# be created at plan Channel objects instead of the PrimaryChannel, EusChannel etc.
#
# In active record normally :type is ignored, eg:
# Channel.create(:type='PrimaryChannel', :etc=>1, ...)
# ignores the type attr and uses 'Channel'.
#
# This hack will make it actually use the :type value.
#
# Usage:
#
# class User < ActiveRecord::Base
# extend ActiveRecord::CreateWithSubtype
# ...
# end
#
# class AdminUser < User
# ...
# end
#
# >> User.create(:type=>'AdminUser', :username=>'simon', ...) #=> #<AdminUser id:123 ...>
#
# Actually needed this for nested objects in forms using accepts_nested_attributes_for.
# http://railscasts.com/episodes/197-nested-model-form-part-2
#
# When updating the type is preserved, but when creating a new subobject with the nested form
# the type is always the base class, which in my case was a problem.
#
# (I put this file in lib/active_record/create_with_subtype.rb)
#
module ActiveRecord
module CreateWithSubtype
def create(attributes=nil, &block)
# Check if :type attribute exists. Remove it from attributes
# (Note that attributes can be an array, hence Hash test)
specified_type = attributes.delete(:type) if attributes.is_a?(Hash)
if specified_type
# Find the specified class
use_sub_class = const_get(specified_type)
# Sanity check
raise "'#{use_sub_class}' not a subclass of '#{self}'" unless self.descendants.include?(use_sub_class)
# Call create on the specified subclass
use_sub_class.create(attributes, &block)
else
# Otherwise, just do the normal thing
super(attributes, &block)
end
end
end
end

Monday, October 3, 2011

Another approach to using helper methods in your controller actions in Ruby on Rails

#
# If you want to use helper methods inside your controller's actions
# (even though it is arguably a code smell, ie you should push your
# presentation logic down into views rather than have it in your
# controllers), you can include the helper modules you want, for
# example:
#
# class ThingController < ActionController::Base
# include ApplicationHelper
# include ThingHelper
# ...
# end
#
# But this will pollute your controller with all the methods from the
# helpers which might be undesirable.
#
# There are various workarounds for this, such as:
# * http://www.johnyerhot.com/2008/01/10/rails-using-helpers-in-you-controller/
# * http://snippets.dzone.com/posts/show/1799
# * http://masonoise.wordpress.com/2010/01/16/using-rails-tag-helpers-in-a-controller/
#
# You can also access any helper from a controller action using something like
# this:
#
# ActionController::Base.helpers.some_helper
# ThingController.helpers.some_helper
#
# or even this (?)
#
# self.class.helpers.other_helper
#
# but that fairly inconvenient and awkward looking, so let's make it nicer.
#
# This defines the use_helper_method which can be used as follows:
#
# class ThingController < ActionController::Base
# use_helper_method :some_helper, :other_helper
# ...
# def some_action
# ...
# @message = "Hello #{some_helper(@thing)}\n\nRegards #{other_helper(@user)}"
# end
# end
#
# It will create a private method in your controller that just calls
# the helpers you specified. Now you can call some_helper and pluralize
# directly from your action methods.
#
# (Not to be confused with ActionController::Base.helper_method and
# ActionController::Base.helper which do very different things...)
#
# Note: This is kind of experimental. There might be a better way to
# do it.
#
class ActionController::Base
def self.use_helper_method(*syms)
syms.each do |helper_method|
class_eval <<-EOM
private
def #{helper_method}(*args)
self.class.helpers.#{helper_method}(*args)
end
EOM
end
end
end

Tuesday, September 20, 2011

A Rails 3 gotcha with html_safe

This was causing me to scratch my head a bit today. I'm glad I know what's going on now and why you need to use safe_concat. It still seems a little unintuitive though. For more into see the explanation here (under the "the tricky part") and the api docs on ActiveSupport::SafeBuffer
#
# This is pretty confusing until you know what's going on...
#
# See http://techspry.com/ruby_and_rails/html_safe-and-helpers-in-rails-3-mystery-solved/
# for an explanation...
#
ruby-1.8.7-p334 :025 > foo_safe = "<p>foo</p>".html_safe
=> "<p>foo</p>"
ruby-1.8.7-p334 :026 > (foo_safe + "<p>bar</p>").html_safe # not what you thought! unintuitive!
=> "<p>foo</p>&lt;p&gt;bar&lt;/p&gt;"
ruby-1.8.7-p334 :027 > "#{foo_safe}<p>bar</p>".html_safe # I think it works because of the implicit to_s
=> "<p>foo</p><p>bar</p>"
ruby-1.8.7-p334 :028 > foo_safe.safe_concat("<p>bar</p>") # correct, but looks pretty clunky, right?
=> "<p>foo</p><p>bar</p>"
view raw gistfile1.rb hosted with ❤ by GitHub

My (first) contribution to Rails

I fixed a little mysql configuration bug in Rails. It counted as three commits (even though they are the same thing, just in different branches), which puts me unfairly into the top 500 all time committers. ;) See here.

You'd think DHH would be number one, but actually he's not. Take a look at the list.

Here is my original pull request if you'd like to read more about it.

Ps, I also reported a capybara bug (along with a failing test) that got fixed pretty quickly. But my fork didn't get merged so none of my commits are recorded. :P

Friday, June 17, 2011

Tau in Ruby

Inspired by http://bugs.python.org/issue12345 and of course The Tau Manifesto, here is a patch for ruby to define tau, the true circle constant.
diff --git a/ext/bigdecimal/lib/bigdecimal/math.rb b/ext/bigdecimal/lib/bigdecimal/math.rb
index c17841f..c672cbf 100644
--- a/ext/bigdecimal/lib/bigdecimal/math.rb
+++ b/ext/bigdecimal/lib/bigdecimal/math.rb
@@ -9,6 +9,7 @@ require 'bigdecimal'
# atan(x, prec) Note: |x|<1, x=0.9999 may not converge.
# exp (x, prec)
# log (x, prec)
+# TAU (prec)
# PI (prec)
# E (prec) == exp(1.0,prec)
#
@@ -222,6 +223,11 @@ module BigMath
y
end
+ # See http://tauday.com/
+ def TAU(prec)
+ PI(prec)*BigDecimal("2")
+ end
+
# Computes the value of pi to the specified number of digits of precision.
def PI(prec)
raise ArgumentError, "Zero or negative argument for PI" if prec <= 0
diff --git a/math.c b/math.c
index e3a78f7..e8b2525 100644
--- a/math.c
+++ b/math.c
@@ -775,8 +775,10 @@ Init_Math(void)
#ifdef M_PI
rb_define_const(rb_mMath, "PI", DBL2NUM(M_PI));
+ rb_define_const(rb_mMath, "TAU", DBL2NUM(M_PI*2.0));
#else
rb_define_const(rb_mMath, "PI", DBL2NUM(atan(1.0)*4.0));
+ rb_define_const(rb_mMath, "TAU", DBL2NUM(atan(1.0)*8.0));
#endif
#ifdef M_E
view raw tau.patch hosted with ❤ by GitHub
$ git status -s
M ext/bigdecimal/lib/bigdecimal/math.rb
M math.c
$ /usr/local/bin/ruby --version # (after doing make && sudo make install)
ruby 1.9.3dev (2011-06-16 trunk 32123) [x86_64-darwin10.7.0]
$ /usr/local/bin/ruby -r bigdecimal/math -e 'puts Math::TAU, BigMath.TAU(100)'
6.283185307179586
0.62831853071795864769252867665590057683943387987502116419498891846156328125724179972560696506842341359642961730265646057277261767213856E1
view raw zzdemo hosted with ❤ by GitHub
Of course we don't need to really need to patch ruby to get this functionality (but I had fun doing it anyway).

Here is tau.rb so you can just require 'tau'. (Maybe this should be a gem...)
# See http://tauday.com/
module Math
TAU = PI * 2.0
end
if defined? BigMath
module BigMath
module_function
def TAU(prec)
PI(prec) * BigDecimal("2")
end
end
end
view raw tau.rb hosted with ❤ by GitHub
$ ruby -I. -r bigdecimal/math -r tau -e 'puts Math::TAU, BigMath.TAU(100)'
6.283185307179586
0.62831853071795864769252867665590057683943387987502116419498891846156328125724179972560696506842341359642961730265646057277261767213856E1
view raw zzdemo hosted with ❤ by GitHub
Ps, I just learned about module_function.

Update 1: I made this ticket which has been mostly ignored.


Update 2: Ticket has been noticed and discussed! :) Ticket has been categorised as joke! :(


Update 3: Some active debate is going on now and the ticket is now 'assigned'! :) See the details.


Update 4: (28-Jun-2014) Made a pull request in Github.


Update 5: See https://github.com/jneen/math-tau/